Various transparency issues with conky.

So, I have some ring graphs for a bunch of things, they are all semi-transparent and they look pretty darn good, but the text I use is unreadable because of my background having multiple colors.
Well, after reading the conky config settings page I decided that
draw_outline yes
is what I'm looking for, however this has the drawback of making my ring graphs look really bad, they lose all their transparency and they get really aliased, any idea how I would get the outlines without losing the transparency on my rings?
.conkyrc (truncated to remove all the text, you only need to see two of the text entries)
update_interval 1
total_run_times 0
double_buffer yes
use_xft yes
xftfont SourceCodePro:size=12
xftalpha 0.75
uppercase yes
own_window yes
own_window_type normal
own_window_transparent yes
own_window_argb_visual yes
own_window_hints undecorate,sticky,skip_taskbar,skip_pager,below
alignment top_left #top_right #bottom_left #bottom_right
default_color FFFFFF
default_shade_color 000000
default_outline_color 000000
draw_shades no
draw_outline yes
draw_borders no
stippled_borders 0
border_width 0
border_inner_margin 0
border_outer_margin 0
minimum_size 1366 768
maximum_width 1366
gap_x 0
gap_y 0
use_spacer none
cpu_avg_samples 2
no_buffers yes
net_avg_samples 2
override_utf8_locale no
#out_to_console no
#mail_spool $MAIL
lua_load ~/.conky/scripts/rings.lua
lua_draw_hook_pre clock_rings
TEXT
${offset 00210}${voffset 00090}${color ffffff}${font SourceCodePro:size=16:style=Bold}Cube_
${offset 00210}${voffset 00000}${color ffffff}${font SourceCodePro:size=16}Arch Linux amd64
#Truncated, including all the text is hardly necessary
${image ~/.conky/overlay.png}
and the rings.lua file (also truncated to remove unnecessary entries)
Rings.lua v1.6 (2014/04/02)
This is a script that generates rings for various things such as CPU and memory usage, current time and a bunch of other things
the reason I wrote it was because another, rather similar script, called haunted.lua was way too messy for easy editing.
Thus this script was born, the goal of this script is to keep it minimal and free from clutter.
The haunted.lua was written by Harshit, who in turn edited lua.lua originally written by londonali1010
The former of which had no license and the latter of which is under CC-BY-NC-SAv3.0
I will release this script (written from scratch, using a structure eerily similar to lua.lua) under the GPLv3
Written by Andreas "Cube_" Björkman.
If you aren't interested in the settings but rather want to see the code then jump to "--Main script logic"
defaultXLoc = 1230
defaultYLoc = 160
settings =
--Time ring settings
name = 'time',
arg = '%I.%M',
maxRange = 11,
bgcolor = 0xffffff,
bgAlpha = 0.4,
fgcolor = 0x992424,
fgAlpha = 0.8,
xLoc = defaultXLoc,
yLoc = defaultYLoc,
radius = 35,
thickness = 8,
angleStart = 0,
angleEnd = 360
clockRadius = 130
clockXLoc = defaultXLoc
clockYLoc = defaultYLoc
clockColor = 0xffffff
clockAlpha = 0.8
showSeconds = true
--Main script logic
require 'cairo'
--The five original functions are already optimized, I just rewrote them for readability.
--This function converts hex color values to more conventional RGB values, mind you this code is essentially identical to haunted.lua/lua.lua (not much improvement needed
function rgbToRGB(color,alpha)
return ((color / 0x10000) % 0x100) /255., ((color / 0x100) % 0x100) /255., (color % 0x100) /255., alpha
end
--This function, as the title might hint, draws the rings. Again, this one is rather optimized already and thus is very similar to haunted.lua/lua.lua
function ringDrawing(cr, t, pt)
local w,h=conky_window.width,conky_window.height
local xc,yc,ring_r,ring_w,sa,ea=pt['xLoc'],pt['yLoc'],pt['radius'],pt['thickness'],pt['angleStart'],pt['angleEnd']
local bgc, bga, fgc, fga=pt['bgcolor'], pt['bgAlpha'], pt['fgcolor'], pt['fgAlpha']
local angle_0=sa*(2*math.pi/360)-math.pi/2
local angle_f=ea*(2*math.pi/360)-math.pi/2
local t_arc=t*(angle_f-angle_0)
cairo_arc(cr,xc,yc,ring_r,angle_0,angle_f)
cairo_set_source_rgba(cr,rgbToRGB(bgc,bga))
cairo_set_line_width(cr,ring_w)
cairo_stroke(cr)
cairo_arc(cr,xc,yc,ring_r,angle_0,angle_0+t_arc)
cairo_set_source_rgba(cr,rgbToRGB(fgc,fga))
cairo_stroke(cr)
end
--Yet another feature that is very similar to the original, this one draws the clock hands.
function clockHandDrawing(cr,xc,yc)
local secs,mins,hours,secs_arc,mins_arc,hours_arc
local xh,yh,xm,ym,xs,ys
secs=os.date("%S")
mins=os.date("%M")
hours=os.date("%I")
secs_arc=(2*math.pi/60)*secs
mins_arc=(2*math.pi/60)*mins+secs_arc/60
hours_arc=(2*math.pi/12)*hours+mins_arc/12
xh=xc+0.7*clockRadius*math.sin(hours_arc)
yh=yc-0.7*clockRadius*math.cos(hours_arc)
cairo_move_to(cr,xc,yc)
cairo_line_to(cr,xh,yh)
cairo_set_line_cap(cr,CAIRO_LINE_CAP_ROUND)
cairo_set_line_width(cr,5)
cairo_set_source_rgba(cr,rgbToRGB(clockColor,clockAlpha))
cairo_stroke(cr)
xm=xc+clockRadius*math.sin(mins_arc)
ym=yc-clockRadius*math.cos(mins_arc)
cairo_move_to(cr,xc,yc)
cairo_line_to(cr,xm,ym)
cairo_set_line_width(cr,3)
cairo_stroke(cr)
if showSeconds then
xs=xc+clockRadius*math.sin(secs_arc)
ys=yc-clockRadius*math.cos(secs_arc)
cairo_move_to(cr,xc,yc)
cairo_line_to(cr,xs,ys)
cairo_set_line_width(cr,1)
cairo_stroke(cr)
end
end
--This function, as the title suggests, draws the rings related to time.
function conky_clock_rings()
local function setup_rings(cr,pt)
local str=''
local value=0
str=string.format('${%s %s}',pt['name'],pt['arg'])
str=conky_parse(str)
value=tonumber(str)
if value == nil then value = 0 end
pct=value/pt['maxRange']
ringDrawing(cr,pct,pt)
end
if conky_window==nil then return end
local cs=cairo_xlib_surface_create(conky_window.display,conky_window.drawable,conky_window.visual, conky_window.width,conky_window.height)
local cr=cairo_create(cs)
local updates=conky_parse('${updates}')
update_num=tonumber(updates)
if update_num>5 then
for i in pairs(settings) do
setup_rings(cr,settings[i])
end
end
clockHandDrawing(cr,clockXLoc,clockYLoc)
end
--now this one is rather esoterically named, I couldn't think of a better name (and thus kept the original naming)
function ring(cr, name, arg, maxRange, bgc, bga, fgc, fga, xc, yc, r, t, sa, ea)
local function rgbToRGB(color,alpha)
return ((color / 0x10000) % 0x100) / 255., ((color / 0x100) % 0x100) / 255., (color % 0x100) / 255., alpha
end
local function draw_ring(pct)
local angle_0=sa*(2*math.pi/360)-math.pi/2
local angle_f=ea*(2*math.pi/360)-math.pi/2
local pct_arc=pct*(angle_f-angle_0)
-- Draw background ring
cairo_arc(cr,xc,yc,r,angle_0,angle_f)
cairo_set_source_rgba(cr,rgbToRGB(bgc,bga))
cairo_set_line_width(cr,t)
cairo_stroke(cr)
-- Draw indicator ring
cairo_arc(cr,xc,yc,r,angle_0,angle_0+pct_arc)
cairo_set_source_rgba(cr,rgbToRGB(fgc,fga))
cairo_stroke(cr)
end
local function ringSetup()
local str = ''
local value = 0
str = string.format('${%s %s}', name, arg)
str = conky_parse(str)
value = tonumber(str)
if value == nil then value = 0 end
pct = value/maxRange
ringDrawing(pct)
end
local updates=conky_parse('${updates}')
update_num=tonumber(updates)
if update_num>5 then ringSetup() end
end
--I'll add more functions here some day, but for now the cleaning up of the original code and prepping it to fit my coding style is enough
So... does anyone have any suggestions for how to keep the transparency of the rings while also having the text outlined?
Oh and if anyone can find why the terminal spews
Conky: unknown variable
at me that would be most appreciated, I can't find the cause for this myself.
And yes, this is my own config that is somewhat derived from an existing conky config (once I get this to play nice it'll have more unique entries, until then I'll just keep to what I already have in there)
I do apologize for the messy looking lua script, it's still wip

Rexilion wrote:I usually get what I want by playing with the own_window parameters. I have no exact idea what they do, but the rule is that once I switch wm they have to change as well.
Sorry, no-can-do. I've tried every last window type, results:
normal - works as expected (obviously aside from aforementioned issues)
desktop - log indicates that it's drawing to root window¹, nothing shows up on desktop.
override - log indicates that it's drawing to root window¹, nothing shows up on desktop
dock - works as expected (obviously aside from aforementioned issues)
panel - works as expected (obviously aside from aforementioned issues)
Setting 'own_window' to 'no' and commenting out all the settings related to 'own_window' causes conky to run fine, aside from not rendering anything at all².
¹Conky: desktop window (7e) is root window
Conky: window type - desktop/override
Conky: drawing to created window (0x3e00002)
Conky: drawing to double buffer
Conky: unknown variable
²Conky: desktop window (7e) is root window
Conky: drawing to desktop window
Conky: drawing to double buffer
Conky: unknown variable
So yeah, I've experimented with this for a week now and I still can't find the solution >.>;

Similar Messages

  • [solved] Issue with conky and Kde 4

    I have a small issue with conky and KDE 4.2. I start conky with a script which I stored under ~/.kde/Autostart. The script is simple and looks like this..
    conky -c ~/.conkyrc_kde4
    This works fine. But when I restart the first KDE and check with ps, I have 2 instances of conky running. The instances keep on growing with the number of restarts.
    I think kde tries to restart all the apps which were running when the session was terminated. Is there a way to change this behavior in general or all the programs or for only a specific program like conky ?
    Last edited by rangalo (2009-07-28 19:02:17)

    I did
    Systemsettings > Advanced > Session Manager > Start with an empty session
    and put everything you want in Autostart

  • Transparency Issues with PSD files in FCP 7

    I'm having some weird file layer transparency issues with FCP 7. I'm working on a project that's made up entirely of graphics drawn in Photoshop CS5. They Photoshop settings were done to match an HDTV 1080i (16:9) sequence in FCP. In FCP, the pixels were set to square, field dominance to none, frame rate to 29.97 and compressor is Apple ProRes 422.
    I exported my PSD files out of Photoshop, with each layer being exported to its own file. In general, things were fine, but there were a few files where you could see the outline of the character against the background, but mind you that this is only visible once the video is rendered out in the FCP timeline. Nothing is visible in Photoshop, nor is it visible while viewing from the Browser in FCP. I told this to the artist and he went back and made corrections, making sure everything was on a transparent background, but the result was still the same - once I rendered the graphics out in FCP, these edge lines were visible.
    I then went back into Photoshop, opened all the files that were giving me trouble, clicked on the "foreground color" and changed it to a color other than white, then back to white and hit ok. That seemed to work - even when rendered out, I was getting no artifacts, until I tried enlarging the graphics over 100%.
    Also, with some of the same graphics, I was trying to layer them so that a guy was in the foreground with other people and a van behind him in the background. Once again, no problem in Photoshop, but once brought into FCP, the background people were actually being displayed over the main foreground character.
    I'm pretty baffled - what to do? I'll attach a photo of the weird lines around the characters. It might be hard to see at this size, but if you download and enlarge it to 300% or so, you'll see what I mean.

    Just saw that Adam's original post was an older one.  Will keep this here anyway to maybe help the most recent poster.
    Sharon
    Adam, did you try what David said about pointing to the root folder?  Did that work?
    When I copy the SD card, I name a new folder on my hard drive something specific, like Smith Wedding.  Then I copy everything inside the SD card to that new folder.  The first level inside my new folder now has folders for
    AVF_INFO
    PRIVATE
    and on down from there.  When you open Log and Transfer, point it to the Smith Wedding folder (of course whatever you have named yours).
    ClipWrap2 also works great to convert the files beforehand if you want.
    What camera are you using?  I have the Sony NX30 and it was giving me fits because the .mts files don't ingest if the clips are longer than 11 min. My problem is that I'm still on FCP 6.0.6.  I think 7.0.3 fixed that.  But I did find enough work-arounds to keep the camera. 
    This is a link to the full discussion if you are interested.
    https://discussions.apple.com/message/19085158#19085158
    Sharon
    Message was edited by: SSteele

  • Transparency issues with INDCS3 and Pantone color

    Running Windows XP, Serv Pk 2, Creative Suite CS3, All updates.
    Heres the deal: We are having problems with PDFs printing and Ripping when using transparencies and drop shadows.
    Issue 1: INDD CS3 file with transparent PDF placed as image. Separate frame filled with paper, stroke and drop shadow placed under trans PDF file. Filled frame areas of percentage tint using a PANTONE color used on same page. File re-PDFed (compat to v6) and file printed correctly to XEROX 7760 and HP color. PDF views correctly. Recommended ordering policy applied to all layers as to keep drop shadow below text. PROBLEM: User running Acro 7 to printing to same color printers, receives copy with color tint areas missing.
    Issue 2: INDD CS3 file with solid Pantone color on background. Several text frames layered above. Under text frame a solid box with SOLID Drop shadow. PDFed using Acro 8. PROBLEM: User's RIP and DIGITAL presses do not recognize the drop shadow? White knockout box appears in this area.
    It seems that CS3 is handling transparency issues differently and/or that Acro 8 (compat to v6) is doing something different. The Acro 8 users have no problem printing or PDFing.
    Could this also be the "known issue" of transparencies and PANTONE colors? We are testing out converting all the colors to CMYK.
    Please respond at your earliest.
    KEN PANTHEN, Albany, NY

    Ken,
    If your final output is to the Xerox, which can't print Spot colors without converting them to CMYK, you should use process colors instead.
    Also, read the articles from InDesign Secrets:
    http://indesignsecrets.com/eliminating-the-white-box-effect.php
    http://indesignsecrets.com/eliminating-ydb-yucky-discolored-box-syndrome.php
    Peter

  • Various hardware issues with Asus G73

    Hello everybody,
    First let me say that issue I'm experiencing is caused by hardware malfunction I need help diagnosing.
    Since it has nothing to do with Arch (or any other OS for that matter), I hope this is the right place to post.
    Now, let's get to the problem.
    I have Asus G73-JW laptop. It's 'desktop replacement' machine from 2010 based on
    Nehalem platform (i7-740QM @ 1.7GHz) paired with nVidia 460m and 8 GB of ram.
    It has not so nice 17" 1080p screen and 750GB HDD and 60GB SSD as storage.
    Few months ago I started playing Battlefield 3 on dual-booted Windows 7 and native Steam Team Fortress 2 on x64 Arch.
    While playing those games weird things began to happen.
    First, laptop started emmiting loud, extremely annoying high-pitched noise. After a while noise fades but fans start
    running on full speed. Screen backlight flickers (as if it was a recording with an old camera) unless it's set to max
    when picture appears normal. Keyboard becomes unresponsive. It works, but it's not enough to just press keys,
    they need to be pressed for much longer than usual. Maybe for half a second or less, but enough to make keyboard
    unusable. Keyboard backlight turns off if it was on (and vice versa) and can't be controlled with hotkeys.
    At that time, I suspected this is somehow related to GPU since laptop was functioning perfectly normal unless in a
    game or GPU benchmark. Even really CPU intensive tasks such as building CyanogenMod which drove CPU temperature
    over 90C caused no issues. But after some time these sympthoms started showing regardles to GPU usage or system load,
    which led me to recognising few more of them and making sure this is not software problem since it's exibited on Arch and
    few other distros, Windows 7 and 8.
    After laptop goes nuts, it can be normalized either by shutting down or suspending to ram.
    During sleep few LEDs that are normally blinking will stay on. After they start blinking again everything will work normally after
    waking up (for some time, that is) and it will be possible to wake it on any key. If LEDs are stuck, only power key works.
    In the begining it took it few hours or more to become normal, but now 20-30 minutes is enough and same amount of time applies
    for both powering up and waking from sleep. Even if laptop didn't 'calm down', it will be silent during wake up process, but fans will
    kick in full speed right after. If power cable gets removed out while on rampage, keyboard and touchpad simply die. If I shut it down
    without power pluged in, it won't be possible to turn it back on without waiting a while. Whether it's with or without battery, or running
    only on battery power, makes no difference - fans keep on spinning as fast as they can.
    Even though temperatures are completely normal - CPU in mid 40s, GPU somewhat hotter, I thought something that is not reporting
    temperature to OS (chipset or whatever) might be overheating, so I took it apart. After cleaning everything thoroughly, changing
    thermal paste and thermal pads, nothing changed besides temperatures which are few degrees lower now. While open, I took the
    chance to look for anything that doesn't look normal, leaked capacitors, unsoldered components, but everything looked just fine.
    I have googled my ass off, but I have been unable to find any similar reports for this or any other notebook.
    As far as logs go, I don't think there is anything to give you except maybe kernel log.
    I'm trying to diagnose problem myself (and, if possible, fix it) because everything that runs on electricity is so damn expensive here,
    not to mention repair shop services and their prices. Warranty is long gone, and since laptop was bought on US Amazon, I'm not sure it
    would have done me any good here in Bosnia.
    I would really apreciate any help and if there is any useful info I didn't provide, please let me know.
    Thanks in advance,
    Šaran.

    Since few days ago battery LED sometimes blinks red although acpi reports 100% full.

  • Transparency issue with multiple overlapping sprites.

    [Moved from AS3 forum - does not appear to involve Actionscript 3]
    I have been programming a smoke effect using partially transparent images. I am having an issue when more than two or three images begin to overlapp, their outlines or borders become visible and the entire effect is lost because you can see the individual particles. I just can't seem to solve the problem. I've tried creating a transparent png, I've tried using the graphics tool to draw the image, but no approach I use changes the fact then when a few of these images overlap, their borders become visible. Has anyone encountered this before? Is there anyway to solve it?

    Solved: cacheAsBitmap = true;

  • Transparency issues with overlaying full color fields. Not YDB as it seems. :/

    I placed a grey & white image below a 50% transparent "100% k" area. Strangely enough, when printed, the grey bits in the image are brighter than the white (now 50% k) ones. I though it's YDB but as it turns out, the work arounds for that, don't do anything here.
    Any ideas?
    BTW: I'm on CS6
    Best,
    T

    Hey there, sorry for my suuuuper late reply.
    It seems to be something with the printer. I imported the pdf into photoshop, and flatened it into a tiff.
    The tiff print came out the exact same way. I'll see that I recalibrate my xerox with my xrite. Hope that does something to it.
    It could still be the xerox driver itselfe...
    I had a go at your two links. Sadly they didn't really do anything for me.
    Best regards and thanks,
    Tim

  • Transparency issues with images over color backgrounds

    I have a transparent .png that I place over a color background. When I do this, there's a slight discoloration in the image's transparent background. As a result, it looks the image really isn't transparent, but has a slight white background. I can't seem to get rid of this and have tried for days. Can anyone help me out here?

    Thanks Robert. You're a lifesaver. This trick totally worked. You saved me a huge headache. I appreciate it.

  • Sound issues with ga

    hello, ill start out with the basics
    system
    AMD Athlon 64bit 3000+ .8ghz
    MSI Neo2 mainboard
    024MB ddr400 ram
    ati radeon 9800 pro 28mb video card
    soundblaster li've 24bit sound card
    I am having various sound issues with a few games i play, most notably FarCry and Halo PC
    Farcry is the main problem. about 2 minutes after opening the game, my headphones or speakers will flip out and produce a noise like a highly amplified dial up modem. I have already pursued help on the game forums, and had no luck. any help or suggestions would be appreciated
    thanks

    I do not use Skype, but may be  information from the  below linked article helpful.
    https://support.skype.com/en-us/faq/FA10992/Why-can-t-I-hear-the-other-person-in -Skype-for-Mac-OS-X
    Best.

  • Can Anyone help with an Illustrator transparency issue?

    I created a logo in Illustrator which includes an imported Photoshop psd file with a transparent background. The transparency behaves properly in Illustrator, but as soon as I place it in In Design or open it in photoshop the graphic shows up on a white box/background (the rest of the elements in the logo remain transparent, as they should be). And btw-the greyscale version of this same logo has no transparency issues.

    function(){return A.apply(null,[this].concat($A(arguments)))}
    it is part of an entire suite of logos that are all vector based Illustrator files
    No, it is not. It contains a raster image, so it is not "all vector" regardless of its being assembled in Illustrator.
    function(){return A.apply(null,[this].concat($A(arguments)))}
    The EPS file will not handle transparency.
    EPS supports "transparency" in 1-bit raster objects. It also supports clipping paths, which is how this particular logo would have been handled in earlier times (assuming one insists on the simple grads being raster).
    function(){return A.apply(null,[this].concat($A(arguments)))}
    What kind of file do you save and place in ID - should be an AI - is it?
    InD doesn't really import AI content. It only imports PDF content of an .ai file (if any).
    function(){return A.apply(null,[this].concat($A(arguments)))}
    I'm on a time crunch
    Take Scott's earlier advice. Especially given that you are compiling a collection of (presumably) reuseable logo files, this should be re-created as entirely vector content. That mark should take no more than a few minutes to redraw. Simply by including the raster element (which is primary element, by the way), you are obviating the core advantage of vector artwork (resolution independence) to begin with. So if you insist on that element being raster, then the whole thing might as well be, and your workflow is needlessly convoluted.
    JET

  • How to fix issue with saving flattened PNG32 with transparent background?

    Using CS6 on a 15 inch MacBook Pro. When I save a layer as a flattened PNG file, the transparency is not preserved and I see a white background. Tried using the export option with the same result.
    I originally switched from CS5 to CS6 to address this issue itself. It worked the first time after fresh install. However has stopped working since then. Seems like a bug in the software.
    Can anyone help find a way to address this?
    Thanks

    I have the same issue with CS6, Can't export transparent PNG 32 or transparent PNG 8, can't go back to CS5 because then I can't use the CSS generation tool... So I need to use CS5.x to create the transparent PNG and I need to use CS6 to create the CSS... Bah this is an awful workflow. I don't know why Adobe has never been able to get transparent PNG's correct. Between photoshop and fireworks there is so much confusion with the PNG 8, PNG 24, PNG 32, what is transparent, what isn't transparent.... It's a joke. Fireworks is such a better program for web design than Photoshop yet this is the one thing that has been holding Fireworks back and it's still doing it. GIANT PITA!

  • Photo stream "public website" in Internet Explorer - photo thumbnail's are gray, individual photo view is fine. Tested from various computers. No issue with Firefox, Safari or Chrome.

    Dear All,
    Recently I have started to use Photo Stream available from iCloud on iPhone device. I have made “test” photo stream with several photos in and set to “public website” in order to share photos with my relatives.
    The issue is with Internet Explorer where list of photos (thumbnails) are shown in gray color. I can view photo one by one and slideshow also works fine.
    On other computers IE behaves the same way.
    https://www.icloud.com/photostream/#A2532ODWsAl87
    No issue with photo list in thumbnails using Safari, Chrome or Firefox.
    Can someone help on this issue?
    It is very convenient to share photos via photo stream, but most of viewers by default has IE and many of them don’t have iCould account or apple device.
    Kind regards,
    M

    Dear safari rss
    Indeed, you are right, I have updated IE to version 10 and no issue with page view.
    Solution woud be to update IE to version 10 (I have not tested IE9).
    However users using Windows XP can have highest IE version 8. IE9 or IE10 is not suported in XP.
    Unfortunatelly there are still many windows XP at my friends circle.
    Thank you,
    Best regards

  • Having issues with connecting to various applications

    I first noticed my connection issues with the iTunes store.  It just wouldn't connect and an error message popped up.  I figured it had something to do with iTunes.
    But then I noticed my Skype wouldn't connect.
    And when I click on the "File Explorer" tab pinned to the taskbar, it thinks for 30 seconds, the whole screen will blink once and it will never pull up.
    Everything else runs smoothly. I can browse the internet. Play my music in iTunes (just can't open the store).  I can open Word documents without any issues.  I checked the Windows firewall and it is set to allow both iTunes and Skype. This issue
    only started a few days ago.  And last night I made sure my Windows was up to date.
    I have a Samsung laptop with Windows 8.  Any idea what might be going on?

    Hi,
    We need more information to analyze your issue. What's error message when you attempt to connect the Skype?
    And how about when you launch "File Explorer" via the original source instead of pinned shortcut in taskbar?
    I would like to suggest you run App troubleshooter to see if it could be fixed:
    Troubleshoot problems with an app
    http://windows.microsoft.com/en-IN/windows-8/what-troubleshoot-problems-app
    Meanwhile, please update all your drivers especially video card.
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact [email protected]

  • Does anyone know of any licensing issues with various Adobe shapes?

    I want to use one of the Adobe shapes available in the shape palette ( paw print) for a commercial product, printing it as part of a decorative design on a product. Has anyone heard of any licensing issues with these custom shapes?

    Never heard of any issues, and I’d be stunned speechless (if you know me, that means very stunned) if there were an issue. They are provided with the program to add value and allow you to create artwork, much of which is expected to be commercial. Go for it and don’t sweat.

  • Whitespace in User Account Name causes issues with various functions

    I've run into a few issues with users who have whitespace in their account names (for example, a user account name that was: "Joe Smith"). Generally, I think this is a result of windows interpreting the last name as a parameter when it tries to
    run a certain function. One place where this occurs and is easily replicated is in the "Troubleshoot Program Compatibility Wizard" which gives an error about permissions, another place this occurs is in the dx9 web installer which gives an error
    message concerning advpack.dll
    In both of these cases I've been able to 'fix' the issue by relocating the TEMP and TMP environment variables to a folder like C:\TEMP, however I still have some issues with other installers and programs such as the 3rd party Cordova build program and the
    android sdk which both get stumped by spaces in the user account name. From my understanding there is no way to change a user account name (not just the name which displays but the name which Windows reads) without deleting the account and copying often several
    gigabytes of files and settings over to a completely new account. Is this correct? Is there a way to remove the whitespace from an account name without these hackish workarounds? Is there anyway to report this as a bug to Microsoft in the hopes that they either
    remove support for usernames with whitespaces or come up with some way to make their internal features like the Compatibility Wizard operate correctly in these (fairly common) install environments? It's an incredibly pesky bug to identify....

    1. Spaces are allowed but not recommended. I would avoid using space(s) in account names.
    2. I do not understand what you have prevented from changing user name.
    3. For problems with 3rd pty programs ask support/forum of respective software vendors.
    4. If you feel like addressing Microsoft, use
    http://support.microsoft.com/contactus/?ln=en-us
    Regards
    Milos

Maybe you are looking for

  • Wrong Posting against Purchase Order in MIGO

    Hii all, Query: i Have to cancel a Material Document with a Stock Type Quality. Inspection But the UD has been made against the Inspection Lot created while GR and the Stock is updated in Unrestricted Stock. When i cancel the material Document an Err

  • Networked Vista computers not appearing automatically in Finder

    Hello, I am having a hard time getting any of my networked Vista machines to show up in the left column of the finder menu. I can access the Leopard's public folder from any of the Vista machines, and I can access any of the Vista machines through sm

  • Utf-8 format

    hi every one, i want to create an xml file from my forms 6i application, i create the file but forms 6i save it as ANSI file, but i want to save it as UTF-8 format, but with TEXT_IO package i don't know if it's possible to do that, can any one help m

  • How do I resizie a photo without Cropping

    Hi All, Just download the 30 day trial of Aperture 2 to test it out. Recently new into photography, progressing on past point and click. Want to post some photo's on a website to get feedback but they ask for photo's no bigger than 600x600 pxls. If I

  • Site Studio Static List

    As I am trying to build a custom website using Site Studio, I am facing some problems to build a static fragment list here.I find there is a reference to a SS_DATAFILE in a code for a snippet.However this file is not present anywhere in the content s