Enlightenment Overlapping Windows Issue

I posted in Newbie corner but realized there is a dedicated section, didn't know how to move thread...
Anyways, I have an issue with my Enlightenment DE. Pretty much every time I have overlapping windows, the top window, when brought into focus, will rapidly appear and disappear -- I can sometimes get it to stay if I click at the right moment. I have not edited any conf files or anything of that sort; Enlightenment was working perfectly fine until a day or two ago. This happens with any window open, and I have tried disabling focus when the mouse enters the window but that doesn't solve the problem. Any suggestions?

hi deltatip,
Just to verify, do you mean you get the "preparing Windows" everytime you restart the PC?
If it is, this seems like Windows is going on an install loop. Try to Turn Off Fast Startup/Hybrid Shutdown and observe.
Let me know your findings
Regards
Did someone help you today? Press the star on the left to thank them with a Kudo!
If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"! This will help the rest of the Community with similar issues identify the verified solution and benefit from it.
Follow @LenovoForums on Twitter!

Similar Messages

  • Overlap date Issue 0hrposition_attr

    Hi
    I'm facing one records overlap date Issue with 0hrposition_attr.Out of 4  records one records i'm getting as start date as future date and end date as past date.I checked in the source i did not see such records.Due to this issue the records are not updated in the target.But i did not notice such issue with 0hrposition_Text  and 0HRPOSITION_CCTR_ATTR load went fine with out any over lap.
    Eg:
    POSITION          VALID FROM          VALID TO
    12345678            04/01/2014            04/20/2014
    12345678            04/21/2014            04/24/2014
    12345678            04/25/2014            04/24/2014
    12345678            04/25/2014            12/31/9999
    I debug  but i did not see any issue,So there any way that  i can delete that particular  records at PSA level so that loads went successful.I attacdshed the document for better idea.
    Regards
    Raj

    Hi,
    only these record is getting the problem and all records.
    check the one record at RSA3 for testing purpose same record check in BW side.
    if you getting like this not problem you can check the only latest record
    12345678       
    04/25/2014       
    12/31/9999
    put the filter at VALID TO data 12/31/9999 and form date 04/25/2014.
    you want lookup the code just add the one more point.
    WHERE POSITION = RESULT_PACKAGE- 0POSITION
         and DATETO = '99991231'.
    it will pick the only latest record.
    Thanks,
    Phani.

  • Pure SQL to partition date-time occurrences into non-overlapping windows?

    i've a question that so far, i've never been able to solve via a pure SQL option.
    it's hard to explain in words, but it's something like this:
    given a set of date-time, i would like to partition the data into non-overlapping windows of 30 minutes each.
    the data is supposed to be partitioned into windows of 30 minutes, meaning when the data is within 30 minutes of the first occurrence, only the first occurrence will be returned. in the next second after the 30th minute, the record will be considered as the start of a new window and is also returned. so those data that occurs within the window period are suppressed. the first occurrence is not necessarily occurring on the 00th minute, so the window start will never be constant.
    run the below query to look at the dummy data.
    SELECT     'A' AS ID
              , TRUNC(SYSDATE) + 7 / 24 + 1 *(ROWNUM - 1) / 1440 AS datetime
          FROM DUAL
    CONNECT BY ROWNUM <= 50
    UNION ALL
    SELECT     'A' AS ID
              , TRUNC(SYSDATE) + 9 / 24 + 8 / 1440 + 1 *(ROWNUM - 1) / 1440 AS datetime
          FROM DUAL
    CONNECT BY ROWNUM <= 35
    UNION ALL
    SELECT     'B' AS ID
              , TRUNC(SYSDATE) + 7 / 24 + 5 *(ROWNUM - 1) / 1440 AS datetime
          FROM DUAL
    CONNECT BY ROWNUM <= 15this is supposed to be the output.
    ID     DATETIME
    A     5/19/2010 07:00:00
    A     5/19/2010 07:30:00
    A     5/19/2010 09:08:00
    A     5/19/2010 09:38:00
    B     5/19/2010 07:00:00
    B     5/19/2010 07:30:00
    B     5/19/2010 08:00:00so far, i'm using a PL/SQL to pipe the records. but i would like to know if this is achievable via SQL or not.
    i've tried looking at analytics, width_bucket, ntile and alll options i can think of, but i just can't solve this at all.

    hey Bob,
    your answer is most definitely correct and does what i want. i've verified it again my data set and it returns the results as required!
    you've definitely proven me wrong. i was always under the impression that this wasn't possible. thanks!
    just a small note:
    i need the windows to be binned by seconds, so have changed the numtodsinterval to raw numbers.
    WITH t AS
         (SELECT 'A' AS ID
                , TRUNC(SYSDATE) +(6.75 / 24) AS datetime
            FROM DUAL
          UNION ALL
          SELECT 'A' AS ID
                , TRUNC(SYSDATE) +(6.75 / 24) AS datetime
            FROM DUAL
          UNION ALL
          SELECT     'A' AS ID
                    , TRUNC(SYSDATE) + 7 / 24 + 1 *(ROWNUM - 1) / 1440 AS datetime
                FROM DUAL
          CONNECT BY ROWNUM <= 50
          UNION ALL
          SELECT     'A' AS ID
                    , TRUNC(SYSDATE) + 9 / 24 + 8 / 1440 + 1 *(ROWNUM - 1) / 1440 AS datetime
                FROM DUAL
          CONNECT BY ROWNUM <= 35
          UNION ALL
          SELECT     'B' AS ID
                    , TRUNC(SYSDATE) + 7 / 24 + 5 *(ROWNUM - 1) / 1440 AS datetime
                FROM DUAL
          CONNECT BY ROWNUM <= 15)
        ,a AS
         (SELECT ID
                ,datetime
                ,LAG(datetime) OVER(PARTITION BY ID ORDER BY datetime) AS prevtime
                ,LAST_VALUE(datetime) OVER(PARTITION BY ID ORDER BY datetime RANGE BETWEEN CURRENT ROW AND 30 / 1440 + 1 / 86400 FOLLOWING) AS interval_end
            FROM t)
        ,b AS
         (SELECT ID
                ,datetime
                ,LEAD(datetime) OVER(PARTITION BY ID ORDER BY datetime) AS nexttime
            FROM t)
        ,ab AS
         (SELECT a.ID
                ,a.datetime
                ,a.prevtime
                   ,a.interval_end
                   ,b.datetime as b_datetime
                ,b.nexttime
            FROM a JOIN b ON(a.ID = b.ID
                             AND a.interval_end = b.datetime)
    SELECT     ID
              ,datetime
          FROM ab
    START WITH prevtime IS NULL
    CONNECT BY ID = PRIOR ID
           AND datetime = PRIOR nexttime
      ORDER BY ID
              ,datetime;this most definitely proves that i'm still not sure of how to use hierarchy queries.
    Edited by: casey on May 20, 2010 11:20 AM

  • AppleMobileDeviceHelper Crash on Mac - forums only talk about this being a windows issue

    AppleMobileDeviceHelper Crash on Mac - forums only talk about this being a windows issue
    It happens on my iMac with my iPhone

    I noticed several permissions changes after the last install of iTunes.
    Launch Disk Utility (Applications > Utilities > Disk Utility) and run the permissions repair routine on your hard drive. Then run verify disk. If any error is reported by the verify disk routine, restart your computer while holding down the Shift key. This will boot you into Safe Mode. The restart will take longer than normal, as diagnostic and repair routines are taking place. When the Finder shows up, restart normally. Then try your CD again.

  • SAPScript: Overlapping Windows and Print Preview

    Hello,
    i've got a problem with an existing SAPScript-form.
    My Z-form has got an overlapping window where a bitmap prints
    "NACHDRUCK" (in english: reprint) diagonally over my MAIN-window.
    The responsible person isn't satisfied with this modification, because
    in the preview the bitmap overlaps the MAIN-window and so she must
    print the document to see the details from MAIN.
    Can anybody please tell me,
    how i can solve the problem to show the MAIN-window before
    the overlapping "WATERMARK"-window in the preview???
    Thanks a lot.
    Kind regards.
    Markus Pawlinka

    Hi Stu,
    thanks for your answer,
    but in CO04 (reprint) with production-orders
    the printpreview has got every time the value 'X'.
    I mean every time you want to print an production-order
    the preview appears. - now without the watermark -
    But if you want to print the document afterwards the print routine
    doesn't start anymore an so the
    document appears without an watermark!
    I hope you've got more suggestions?
    Kind regards,
    Markus
    Problem not solved till yet!
    Please help.
    Kind regards
    Markus
    Edited by: Markus Pawlinka on Oct 7, 2008 1:19 PM

  • My Windows issues are fixed! No more Scratchy, Skipping, Noisy sound!

    This fixed my Windows issues! No more Scratchy, Skipping, Noisy sound!
    1. Go to CONTROL PANEL.
    2. Double click QUICKTIME.
    3. Choose the ADVANCED tab.
    4. Under VIDEO, uncheck ENABLE DIRECTDRAW ACCELERATION.
    5. Also under VIDEO, choose SAFE MODE (GDI ONLY)
    6. Select OK. (Or APPLY if you wish).
    XP SP/2
    NOTE: I no longer have sound problems even if the processor is 100% due to other applications running.

    Well, I must rescind my previous enthusiasm. Yesterday I could not make the noise reappear after following the instructions I posted. I ran graphics-intensive applications. I ran cpu-hog programs. Nothing caused the the noise to come back.
    Today, as you have probably guessed, it's back. Not as frequently, but still back.
    I did notice one interesting thing. I was taking screenshots of the Windows task manager this morning try and determine if I saw any pattern to the noise. I pasted them into a light-weight viewer (Polyview) that I use when I just want to crop something and don't want to wait for Photoshop to come up.
    1. Take the screenshot.
    2. Paste into Polyview.
    3. Noise stops.
    4. Take the screenshot.
    5. Paste into Polyview. Immediately the noise comes back.
    6. Screenshot and Paste again. Noise stops. etc.
    This at leasts suggests that display of graphics has something to do with the issue. Perhaps the video card?
    Oh, well, at least the situation is tolerable now.

  • Overlapping Window

    Hi,
    I would like to create an overlapping window for 2 different applications:
              *     I want to set up a hyperlink to another website, that sits on top of my page and can be closed with an exit button.
              *     I would like to create an overlapping window attached to an internal link that can be closed with an exit button.
    Can anyone please tell me what this type of window is called?  I tried to find some info in GoLive Help, but you how it is when you don't know what to search for. OR, can anyone tell me how to create one?
    Thanks!
    Nadine

    Is it not working when seeing it in a browser ??
    Try flatten you scriptlibery ... (Rightclick in the file window and chose Update>Flatten ScriptLib or chose site>Update>Flatten ScriptLib in the menu
    In CS2-3 ther have been som problem with 3party actions not working right away.. Here is some trublesolwing frome my ovne actionpage:
    GoLive CS2 users may have some problem with using 3part actions do to a minor bug in CS2.
    The promlem is that CS2 wont use the action (put it in the scriptLib). normaly this problem is solved by flatten the scribtLibery when adding the action (normaly this only has to bee don first time using the action).
    Another solution if flatning the scriptlibery dont work is to open the action file in GoLive, just like any other file. make a smal change, an change back agin and the save it. Or do as if the action is grayd out
    Are you having problems with the action not being visible or is greyed out? The fix is very simple.
    1. Open the action file in GoLive, just like any other file.
    2. Save the file using "save as" with the original name.
    3. Restart GoLive and the action should now be available.
    (Doing this may cause the action icon to disaper but the action shud now work)

  • Wine/Enlightenment Diablo II Issues

    Allright, so here's my story.  I've gotten Wine set up, Diablo II installed, updated, patched, and running very nicely.  However, with E16 as my current WM of choice, when I hold ALT and click the window, E16 interprets this as a "move window" click and tries to move my fullscreen app. As any DII player will know, holding ALT and clicking makes picking up "teh l00t" much easier.
    Is there some way to have Alt+Click (and possibly other combinations) ignored by enlightenment when I start a particular app (eg. wine)?
    On another note, whenever I pull up the minimap the game goes insanely laggy (whereas it doesn't in Win).  I've got a good card, but it's ATI and I've heard the drivers kinda blow. Nothing I can't work around, but if someone else had this issue and has cleared it up, help would be appreciated on that too.

    Cerebral wrote:On another note, whenever I pull up the minimap the game goes insanely laggy (whereas it doesn't in Win).  I've got a good card, but it's ATI and I've heard the drivers kinda blow. Nothing I can't work around, but if someone else had this issue and has cleared it up, help would be appreciated on that too.
    ATIs always seem to have issues with overlays - any type of content pasted over animated images....

  • Photoshop CS2 and windows issues! help!

    Hi, I'm working with someone who is having issues with Adobe Photoshop CS2 among other Adobe problems.  The problem is that after Photoshop is loaded, the interface is very messed up.  You can't open a file because if you go to menu -> file nothing happens.  If you try to create something new, most of the buttons will be invisible in the option for sizes.  The program simply becomes unusable.  After a restart, the program will work properly for a short period of time and being to behave oddly again.  On loading Photoshop, windows gives an error beep but the program loads anyways and no error window comes up.  This happens on illustrator as well as indesign.  I have uninstalled everything and removed all shared files that adobe uses and reinstalled everything from scratch, the same problem happens.  This only started happening recently.
    OS is XP pro SP3.
    I am about to wipe the computer and start from scratch but I would rather not have to do this if there is another solution!
    Please help!  Thank you!

    No, it's a standard U.S. keyboard and the language is set to english.  I believe the software is up to date. 
    It doesn't freeze when you click on the menu, it just refuses to pop open a window when you try to open a file.  Also, many of the option boxes in some of the windows in photoshop are invisible.  This only happens after the computer has been on for a short while.  Right after a reboot, you can open photoshop fine... until it stops working.

  • Opening a form in a new window issue

    Hi..
    I have this requirement where I have this page(say XYZPG.xml) which contains a table which is auto populated based on a particular setWhereClause and all this happens in the processRequest as the page loads.
    This page opens on clicking a button in a previous page from where all the parameters for the setWhereClause is sent using fireAction.
    Each Row in the results table in XYZPG has a "detail" button which opens another page in a new window using _blank in the Target Frame.
    The issue is that when Iam clicking the "detail" button,the new form opens in the new window and after closing the form that opened in the new window when I start to perform any action in XYZPG a null pointer is encountered in the processRequest while trying to fetch the setWhereClause parameters.
    Please help in this issue.Its urgent.
    Thanks

    That's because when you close the child window, control returns back to parent form's processRequest. Which version of EBS you are working on? OAF has in-built popup windows feature supported on latest EBS versions which is very useful on many occasions as it has good features like popup closing automatically when a submit button is clicked etc. Check JDev user guide and see if you can use popup windows for your project. If not, you have to capture the event in processRequest and perform required actions again.
    Thanks
    Shree

  • HP Pavilion Elite e9280t Desktop PC power on/start windows issue

    HP Pavilion Elite e9280t Desktop PC, Windows 7 Pro.  When powered on (using the power switch), the blue power light and amber hard drive lights on the front illuminate, but monitor shows no signal and the keyboard lights do not come on.  F10 on the keyboard doesn't bring anything up on the screen either.  Sounds like there is hard drive activity, but the amber light does not flash.  If I put a bootable dvd in the drive, it appears to read the dvd, but does not boot from it (nothing appears on the monitor.)  Monitor, keyboard and mouse have been verified operational.  Hard drive data appears to be intact and have verified 12v and 5v operational from power supply.  Haven't found a place to verify 3v power.  Depressing the power switch does not turn the computer off, only way is to unplug the power cord.  This sympton happened a couple of weeks ago, but after several power cycles, it booted fine and worked for a while.  Not this time, though.

    HI JIMINFL: 
    How was your weekend, I  hope  it was super!
    I understand that when you boot up, you get a blank screen. You also said that you know the keyboard, mouse and monitor are working.  I am sending you a link to a document on "Monitor or TV is Blank after Starting the Computer" click here. I am also sending "HP Hardware Diagnostics UEFI" click here to test for hardware failures. Please let me know the outcome.
    Sparkles1
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the bottom right to say “Thanks” for helping!

  • Dual boot with archlinux and windows issue

    Hi again!
    This is what i did from the beginning :
    windows was already installed and then i installed archlinux after shrinking the windows partition . I made a partition for boot , one for swap and one for root(i wanted to do for home too , but only 4 primary partitions are allowed) . I made the boot partition bootable , and so was windows bootable and i got the message that there are two bootable partitions so it couldn't write the partition table . So removed the bootable tag from windows and left only the boot partition bootable . I then installed the grubloader to boot partition and then i edited that grubmenu and uncomment the part where windows was like it says in wiki. After restarting i could see the menu to choose between archlinux and windows , i chose windows , i succesfully logged in and after restarting again i couldn't see the grubloader and i automatically logged in windows .
    Does anyone know what might be the issue ??
    Thanks !
    Last edited by shak (2009-03-27 20:20:30)

    yes i only have one hard rive , i managed to find a solution not that elegant though , i 've installed acronis os selector from windows and i can choose between windows and linux with acronis on boot . If i choose linux i get to the grub menu and i can choose between arch linux and windows . So it seems that the grub menu is still there but it doesn't appear when i boot for some reason .
    Last edited by shak (2009-03-27 20:34:40)

  • Can Anyone Help? Upgrade with Windows Issue

    I bought my daughter a Ipod nano for Christmas this past year (2005). Everything worked great until the new 6.0 upgrade. We downloaded the upgrade last week and it was completed successfully. Yet when I go to my desktop and try to go to the site I get nothing at all. I can't even access the itunes site. Can't even access it through apple.com. I get the download message. I spent hours on the phone with apple trying to figure out the problem. Uninstalled and reinstalled the whole thing several times. Even went back to my original CD that came with the ipod and still get message that I need to upgrade. I was told
    ( by an apple rep) I have to do a msconfig start up on my computer for the upgrade to work on Windows. Upon doing that I can access my library but access to store is denied. I called apple again and was told they have no idea what is going on but it has to do with the upgrade and windows. I was basically told I may want to consider selling my Ipod, by a apple tech. Is anyone else having this problem. I just want to know how to get the upgrade using windows xp and be able to use it without having to msconfig start and then still not be able to access anything.
    I have tried everything, from shutting down my firewall, anitvirus to rebooting my computer back to before I ever put Itunes in it since I was unable to un-install it with the add/remove on my computer.
    Can anyone give me some advice on how to get this to work with windows? It would be greatly appreciated since I have a few friends also having the same issues. Thanks

    Don't give up yet. At this point I would suggest cleaning your system with ipod and itunes software and reinstall. I know you tried this before but I'm going to give you more detailed instructions. Please read them carefully first before doing them and ask questions if you don't understand them. Also don't skip anything and be careful to not skip part of a step.
    1. Uninstall itunes and ipod software
    2. Reboot your PC
    3. Re-download the itunes installer and QT and save this installer to your desktop
    4. Go to C:\WINDOWS\Downloaded Installations. You should see folders like {06EB3288-C5F4-4C73-8EEE-AC798668FF66}
    5. Look in each of these folders for itunes.msi and delete the folder. Be careful to only delete the folders containing itunes.msi
    6. Clean out your the following folders, Delete as much as you can in these folders except for the folders Cookies, History, Temporary Internet Files.
    a. C:\windows\temp (if one exists)
    b. C:\Documents and Settings\{username}\Local Settings\Temp
    Sometimes installers will pick up old files or won’t delete their temporary files.
    Also delete c:\program files\itunes & c:\program files\ipod
    7. Go to http://www.download.com/3000-2094-881470.html and download the regcleaner. Unpack it and run it. This is a nice utility that will delete broken registry entries and create a file with them. This way if it deletes anything needed you can add it back. Note I never had to do this with using it for many years. Also it doesn't list XP but you'll be fine. I run XP on both.
    8. Reboot your PC.
    9. It wouldn't hurt to scan your PC for viruses at this point.
    10. Now try to go and install everything again. I'd do QT first then follow with itunes. Remember to disable virus/firewall/privacy/web accelerators before launching the install.
    You don't have to try the QT if you don't want to but if you do make sure you do it first before itunes and ipod software.
    I hope this helps! Let me know what happens.

  • Mail 4.5 problems: no message viewer window, issues sending/receiving

    Hi all,
    I recently re-installed Snow Leopard on my mid-2010 MacMini.  I ran all updates and am currently using 10.6.8 with Mail 4.5 (1048).  This morning I tried opening Mail from the dock and it simply would not open.  The menu bar for Mail does appear at the top of the screen, so I clicked on Window-->Message Viewer and was able to pull up the usual Mail window.  Mail, however, is still not functioning.  This happened recently with my previous installation of 10.6, hence the reason I reinstalled the OS.
    In summary, here are the current issues with Mail: 
    I can receive messages, but I cannot send them.
    The usual Mail window does not open when I open Mail
    I cannot quit Mail, I have to force quit
    Mail has not 'crashed' yet, so I haven't received any error reports/crash reports ect...
    I have done everything from resetting the PRAM to moving the com.apple.mail.plist file to my desktop and re-opening Mail, nothing has worked.  This is the second time this has occured, on the second fresh installation of 10.6.
    Any assistance would be greatly appreciated.
    Thanks.

    UPDATE: removed exchange accounts from iCal and Mail is bacl to normal.
    I opened console, cleared the display and re-opened Mail.  Upon opening I noticed this in console:
    Mail[329]    *** -[NSCFString substringFromIndex:]: Range or index out of bounds
    After researching this for a bit, I decided to remove one exchange account from iCal, that didn'twork. So, I removed the second of my two iCal Exchange accounts.  Then I reopened Mail and voilá.  Although this got my mail working, it really isn't a solution.  I would LOVE to be able to use both Mail AND iCal...

  • Box inside Main window issue in Scripts

    I have issue in placing a box inside the main window. I would like to display text with a box frame at end of the line items.
    I tried creating seperate FOOTER window in the Last page, but it dint work as expected, since if the line items ended in the first page then the LAST page did not trigger and one more complication was if there were 4 pages, then there was blank window (FOOTER) in 2 pages and it looks ugly.
    I tried putting the box frame by using text element, calling after the end of the line items. The text displayed as needed, but the frame was misaligned.
    Kindly help me. Thanks in advance.
    Have a great weekend.

    Raj,
    Try to find out which text element is trigerring after the line items text element while debuging the script  and then place the box code in that text element.
    regards.

Maybe you are looking for

  • Mappings in EDIFECS Builder to OAG XML

    Hi We are implementing EDI transactions like 850, 810 etc., Inbound transactions with out trading partners. We are planning to use following different tools. I) Oracle 11g B2B - > Oracle 11g BPEL -> XML Gateway -> eBusiness Suite We would like to kno

  • Can you insert a google map in flash?

    I was wondering how I could insert a google map in a flash app and preserve the interactive aspects of the google map? Thank you for the help.

  • HT3702 how to change the payment

    how to change the payment from visa to none payment

  • Bi data upload error:status 51 - error: Error 8 when starting the extr prog

    while data load form the source system into thw bw i am getting error in error monitor as under, Extraction (messages): Errors occurred   Error occurred in the data selection Transfer (IDocs and TRFC): Errors occurred Request IDoc : Application docum

  • What are the chances one could get this to work?

    Got an email regarding "15M portable USB waterproof endoscope borescope inspection camera".  Turns out it is an ebay link.  Essentially, the limited specs given show comatibility with various Windows versions - no driver necessary for XP, Vista & Win