LR 5.4 and Win 8.1 Update 1 - LR wont launch

I've been running a trial version of LR5.4 while waiting for the boxed version to come.  There are still 21 days left on the trial.
Under Windows 8.1 LR worked every time, however since applying Update 1, LR only launches once.  The second and subesquent times there is no dialog on the screen re: trial or buy etc but the taskbar icon indicates the window is open.  If I move the mouse up over the taskbar icon to open the window it does appear on the desktop but as soon as I move the mouse to the window it disappears.
Has anyone esle seen this problem and fixed it?
I think I'll try an uninstall/re-install next and see what happens.
Thxs

There were a couple more updates that needed to be applied, which I did first.  Then did the uninstall/re-install and it made no difference.
However, I've discovered that the problem only shows if you try to launch from the Start Menu or the Quick Launch Taskbar.  I made a shortcut on my desktop and this works ok - so far!
Interestingly the trial period went back to 30 days after the re-install.
I may post this as a bug but I'll wait until I get my full version.
BTW:  LR3.6 works just fine from the Start Menu or Taskbar.

Similar Messages

  • Maverick OSX update crashed my computer and OS. My harddrive and OSX and WIN have been lost and are irreparable. What are the next steps?

    Mavericks has crashed my MacBook Pro.
    I was offered the upgrade as a free and reccomended Apple Software Update that arrived on my computer.
    I installed Maverick received an error during installation saying the HD was bad. I ran utility disk and internet recovery and attempted to boot in safe mode to no avail. My computer no longer had an OS. (I ran both OSX and WIN on my new HD). I took it to the Apple store and it was determined it was a software failure (Maverick) and not my harddrive. The tech at Apple told me I could take it to a data recovery place on MY dime to attempt to recover anything from the HD. I ran several expensive architectural programs which are now lost. Any advice as which aveneue to take next is much appreciated. Thank you in advance.
    Ashley

    https://discussions.apple.com/docs/DOC-1689
    Note, backing up is not a choice in computing.  You either value your data or you don't.  And when you install new software the drive is that much more at risk, if it is marginal.  This is true of any operating system update because of the number of changes that happen at once.

  • Need help with Boot Camp and Win 7

    I have iMac 27" (iMac11,1) 2.8 GHz, quad core, 8MB of L3, 8GB of Memory, Boot ROM Version IM111.0034.B02 and SMC Version 1.54f36 and can't get this machine to run Windows 7 using Boot Camp.  I have successfully loaded Win 7 but when it claims to be starting I only get a black screen after initial start up.
    I have checked and rechecked my software updates and have read and reread the instructions, however, I can't update my Boot Camp to 3.1 (my machine says i'm running 3.0.4) and I need 3.1 but can't load 3.1 because it is an exe file that has to be loaded into Windows after I load Windows but can't open Windows because I can't load Boot Camp 3.1.  That's my excuse anyway, so I'm missing something I just can't figure out what it is....this is where you come in!
    Thanks.
    Mike

    Mike,
    I'm not going to be much help with Boot Camp however I can direct you to the Boot Camp forum where there are more people that know how to troubleshoot it and Windoze 7. You can find it at:
    https://discussions.apple.com/community/windows_software/boot_camp
    Roger

  • Re: Transactions and Locking Rows for Update

    Dale,
    Sounds like you either need an "optimistic locking" scheme, usually
    implemented with timestamps at the database level, or a concurrency manager.
    A concurrency manager registers objects that may be of interest to multiple
    users in a central location. It takes care of notifying interested parties
    (i.e., clients,) of changes made to those objects, using a "notifier" pattern.
    The optimistic locking scheme is relatively easy to implement at the
    database level, but introduces several problems. One problem is that the
    first person to save their changes "wins" - every one else has to discard
    their changes. Also, you now have business policy effectively embedded in
    the database.
    The concurrency manager is much more flexible, and keeps the policy where
    it probably belongs. However, it is more complex, and there are some
    implications to performance when you get to the multiple-thousand-user
    range because of its event-based nature.
    Another pattern of lock management that has been implemented is a
    "key-based" lock manager that does not use events, and may be more
    effective at managing this type of concurrency for large numbers of users.
    There are too many details to go into here, but I may be able to give you
    more ideas in a separate note, if you want.
    Don
    At 04:48 PM 6/5/97 PDT, Dale "V." Georg wrote:
    I have a problem in the application I am currently working on, which it
    seems to me should be easily solvable via appropriate use of transactions
    and database locking, but I'm having trouble figuring out exactly how to
    do it. The database we are using is Oracle 7.2.
    The scenario is as follows: We have a window where the user picks an
    object from a dropdown list. Some of the object's attributes are then
    displayed in that window, and the user then has the option of editing
    those attributes, and at some point hitting the equivalent of a 'save'button
    to write the changes back to the database. So far, so good. Now
    introduce a second user. If user #1 and user #2 both happen to pull up
    the same object and start making changes to it, user #1 could write back
    to the database and then 15 seconds later user #2 could write back to the
    database, completely overlaying user #1's changes without ever knowing
    they had happened. This is not good, particularly for our application
    where editing the object causes it to progress from one state to the next,
    and multiple users trying to edit it at the same time spells disaster.
    The first thing that came to mind was to do a select with intent to update,
    i.e. 'select * from table where key = 'somevalue' with update'. This way
    the next user to try to select from the table using the same key would not
    be able to get it. This would prevent multiple users from being able to
    pull the same object up on their screens at the same time. Unfortunately,
    I can think of a number of problems with this approach.
    For one thing, the lock is only held for the duration of the transaction, so
    I would have to open a Forte transaction, do the select with intent to
    update, let the user modify the object, then when they saved it back again
    end the transaction. Since a window is driven by the event loop I can't
    think of any way to start a transaction, let the user interact with the
    window, then end the transaction, short of closing and re-opening the
    window. This would imply having a separate window specifically for
    updating the object, and then wrapping the whole of that window's event
    loop in a transaction. This would be a different interface than we wanted
    to present to the users, but it might still work if not for the next issue.
    The second problem is that we are using a pooled DBSession approach
    to connecting to the database. There is a single Oracle login account
    which none of the users know the password to, and thus the users
    simply share DBSession resources. If one user starts a transaction
    and does a select with intent to update on one DBSession, then another
    user starts a transaction and tries to do the same thing on the same
    DBSession, then the second user will get an error out of Oracle because
    there's already an open transaction on that DBSession.
    At this point, I am still tossing ideas around in my head, but after
    speaking with our Oracle/Forte admin here, we came to the conclusion
    that somebody must have had to address these issues before, so I
    thought I'd toss it out and see what came back.
    Thanks in advance for any ideas!
    Dale V. Georg
    Indus Consultancy Services [email protected]
    Mack Trucks, Inc. [email protected]
    >
    >
    >
    >
    ====================================
    Don Nelson
    Senior Consultant
    Forte Software, Inc.
    Denver, CO
    Corporate voice mail: 510-986-3810
    aka: [email protected]
    ====================================
    "I think nighttime is dark so you can imagine your fears with less
    distraction." - Calvin

    We have taken an optimistic data locking approach. Retrieved values are
    stored as initial values; changes are stored seperately. During update, key
    value(s) or the entire retieved set is used in a where criteria to validate
    that the data set is still in the initial state. This allows good decoupling
    of the data access layer. However, optimistic locking allows multiple users
    to access the same data set at the same time, but then only one can save
    changes, the rest would get an error message that the data had changed. We
    haven't had any need to use a pessimistic lock.
    Pessimistic locking usually involves some form of open session or DBMS level
    lock, which we haven't implemented for performance reasons. If we do find the
    need for a pessimistic lock, we will probably use cached data sets that are
    checked first, and returned as read-only if already in the cache.
    -DFR
    Dale V. Georg <[email protected]> on 06/05/97 03:25:02 PM
    To: Forte User Group <[email protected]> @ INTERNET
    cc: Richards* Debbie <[email protected]> @ INTERNET, Gardner*
    Steve <[email protected]> @ INTERNET
    Subject: Transactions and Locking Rows for Update
    I have a problem in the application I am currently working on, which it
    seems to me should be easily solvable via appropriate use of transactions
    and database locking, but I'm having trouble figuring out exactly how to
    do it. The database we are using is Oracle 7.2.
    The scenario is as follows: We have a window where the user picks an
    object from a dropdown list. Some of the object's attributes are then
    displayed in that window, and the user then has the option of editing
    those attributes, and at some point hitting the equivalent of a 'save' button
    to write the changes back to the database. So far, so good. Now
    introduce a second user. If user #1 and user #2 both happen to pull up
    the same object and start making changes to it, user #1 could write back
    to the database and then 15 seconds later user #2 could write back to the
    database, completely overlaying user #1's changes without ever knowing
    they had happened. This is not good, particularly for our application
    where editing the object causes it to progress from one state to the next,
    and multiple users trying to edit it at the same time spells disaster.
    The first thing that came to mind was to do a select with intent to update,
    i.e. 'select * from table where key = 'somevalue' with update'. This way
    the next user to try to select from the table using the same key would not
    be able to get it. This would prevent multiple users from being able to
    pull the same object up on their screens at the same time. Unfortunately,
    I can think of a number of problems with this approach.
    For one thing, the lock is only held for the duration of the transaction, so
    I would have to open a Forte transaction, do the select with intent to
    update, let the user modify the object, then when they saved it back again
    end the transaction. Since a window is driven by the event loop I can't
    think of any way to start a transaction, let the user interact with the
    window, then end the transaction, short of closing and re-opening the
    window. This would imply having a separate window specifically for
    updating the object, and then wrapping the whole of that window's event
    loop in a transaction. This would be a different interface than we wanted
    to present to the users, but it might still work if not for the next issue.
    The second problem is that we are using a pooled DBSession approach
    to connecting to the database. There is a single Oracle login account
    which none of the users know the password to, and thus the users
    simply share DBSession resources. If one user starts a transaction
    and does a select with intent to update on one DBSession, then another
    user starts a transaction and tries to do the same thing on the same
    DBSession, then the second user will get an error out of Oracle because
    there's already an open transaction on that DBSession.
    At this point, I am still tossing ideas around in my head, but after
    speaking with our Oracle/Forte admin here, we came to the conclusion
    that somebody must have had to address these issues before, so I
    thought I'd toss it out and see what came back.
    Thanks in advance for
    any
    ideas!
    Dale V. Georg
    Indus Consultancy Services [email protected]
    Mack Trucks, Inc. [email protected]
    ------ Message Header Follows ------
    Received: from pebble.Sagesoln.com by notes.bsginc.com
    (PostalUnion/SMTP(tm) v2.1.9c for Windows NT(tm))
    id AA-1997Jun05.162418.1771.334203; Thu, 05 Jun 1997 16:24:19 -0500
    Received: (from sync@localhost) by pebble.Sagesoln.com (8.6.10/8.6.9) id
    NAA11825 for forte-users-outgoing; Thu, 5 Jun 1997 13:47:58 -0700
    Received: (from uucp@localhost) by pebble.Sagesoln.com (8.6.10/8.6.9) id
    NAA11819 for <[email protected]>; Thu, 5 Jun 1997 13:47:56 -0700
    Received: from unknown(207.159.84.4) by pebble.sagesoln.com via smap (V1.3)
    id sma011817; Thu Jun 5 13:47:43 1997
    Received: from tes0001.macktrucks.com by relay.macktrucks.com
    via smtpd (for pebble.sagesoln.com [206.80.24.108]) with SMTP; 5 Jun
    1997 19:35:31 UT
    Received: from dale by tes0001.macktrucks.com (SMI-8.6/SMI-SVR4)
    id QAA04637; Thu, 5 Jun 1997 16:45:51 -0400
    Message-ID: <[email protected]>
    Priority: Normal
    To: Forte User Group <[email protected]>
    Cc: "Richards," Debbie <[email protected]>,
    "Gardner," Steve <[email protected]>
    MIME-Version: 1.0
    From: Dale "V." Georg <[email protected]>
    Subject: Transactions and Locking Rows for Update
    Date: Thu, 05 Jun 97 16:48:37 PDT
    Content-Type: text/plain; charset=US-ASCII; X-MAPIextension=".TXT"
    Content-Transfer-Encoding: quoted-printable
    Sender: [email protected]
    Precedence: bulk
    Reply-To: Dale "V." Georg <[email protected]>

  • "A How-To" on the steps to FIX the Problem of NO Sound Card DETECTION with AUDIGY 2 and Win XP

    Note#: When restarting the PC each time, shut off the main power switch on the Power Supply then back on.
    Note#2: You will need the Windows XP CD WITH the SP2 on it or have the download SP2 Install file from MS on your PC. I have it on CD.
    . Remove the sound Card
    2. Use the Removal/Un-installation Procedures for the drivers in Knowledge Base Under Windows XP Step by step. Restart to get all the files deleted in the Creative folder if necessary.
    Here is the (Solution ID#) for the Uninstallaion found in the Creative.com Knowledge Base: SID72 "How to uninstall Sound Blaster drivers and applications?"
    Alternati'vely, Click on the Sound Blaster Picture Box under the Knowledge Base Main Search Page and the article should be in the resulting list.
    3. Use the DCProSetup_.exe from http://files.trunetworks.com/utilities/
    Use it carefully Selecting [Creative] then Check the box for Muntiple Cleaning Filters, and remove the Creative Audio Drivers by Clicking on Start.
    4. Go into the Registry by Typing Regedit in the Start>Run.. Menu
    Navigate and remove the Entry for CTCMSGo.exe, it is running in the back ground otherwise and i believe it interrupts the re-installation of MediaSource Files.
    HKEY_CURRENT USER\SOFTWARE\Microsoft\Windows\CurrentVersion\Run
    The file link/tag, it will be on the right half of the screen, Delete it. CTCMSGo.exe=(Creative Technologies Media Source Go)
    5. Restart the PC, dont forget to switch Power Supply to off while powered down and on before powering back up.
    6.Go to the Win XP SP2 CD or the file downloaded, select re-install but choose UPDATE, not New Installation. Let the Install run and update your pc, this procedure has no data loss or settings changes in Windows.
    7. Restart PC
    8. Turn off PC and install the Audigy 2 Card. Then turn on the PC. At this point you might get a plxcore.plx Error of file missing. Not to worry.. copy the file from within the Creative Drivers CD and paste it into the Creative Folder In C:\Program Files\Creative
    The Knowledge base Article on the steps is: SID287 "Error: Program could not load because Plxcore.plx cannot be found"
    9. Power up and see if you get PCI Device, and Audio Controller Detetion. If you dont then do the following:
    A) Remove the Sound Card and Re-install the Win XP SP2 Update a number of times ( I did this about 5 times until detection) Each time restart and install the Sound Card into any of the empty PCI Ports until detection.
    If that does not work after a number of times try the following:
    B)Power off and switch the PCI slot of the Sound Card (to all the PCI slots if necessary with complete power off each time) Without Re-installing XP SP2 Update.
    0. After you get Detection, The Windows Auto Installer for Drivers will pop up..select Find Drivers Automatically, then Install then install the drivers it finds. It will put in some basic Audigy Drivers from the CD or online i'm not sure where it gets them from. Keep your Driver CD in the CD Dri've.
    .Restart the PC, then install the Drivers and Media Source Files from the CD (it may not all get installed and may give an error and you have to shut down and re-install the drivers and Media Source over again and over again so it fills in the gap of missing files/drivers until it all works without deleting the previously installed parts).
    2. Only install this update from the File/ Downloads Section on the Creative website: EAX4DRV_AUDIGY2__84_50.exe Dated 29 July 04. The new beta one that was released is what started all my troubles, so plz i urge you to wait for it to be official.. unless you really want to test it out at your risk.
    And there you have it.. in 8 Hours and some ideas from friends and relati'ves concerning detection problems of other hard ware they have had i decided to play Roulette all night and this combo works. I had to play Roulette switching the PCI slots (5 of them), and then towards the end play Roulette with the Creative Driver CD install... until they all work perfectly. WHEW!!!
    Notice: I hope if you are really ticked off at having no sounds and want to try this at your own risk and responsiblity go ahead, and I wish you luck. None of the proedures are too out of the ordinary. I dont know if it will work for you but it worked for me and maybe it will possibly for other similar Sound Cards as well.. like ZS or Li've! etc. with similar problems. Happy Sound Blasting!!!
    My Specs: P4 3.2Ghz Prescott on Intel D875PBZ MB, pqi GB PC3200 Dual Channel RAM, Win XP SP2, Plextor CD-R and DVD Dri'ves, BFG 6600GT OC 28MB and the Audigy 2 Sound CardMessage Edited by Flying_Ghost on 05-04-2005 09:38 PM

    Thanks for pointing that out, it was not apparent on the day i used them and wrote the How-To. The links have been replaced with the SID# (Solution ID #) and the title given for the Article.
    Have fun

  • I was recently prompted to update my Itunes player to the latest version. I'm using Windows Vista. I was left with an error message MSVCR80.dll and consequently no new update. I uninstalled the old version and have tried to reinstall manually. No luck

    I was recently prompted to update my Itunes player to the latest version. I'm using Windows Vista. I was left with an error message MSVCR80.dll and consequently no new update. I uninstalled the old version and have tried to reinstall manually several times. No luck. Consequently I have no player.
    Any ideas for a fix?

    Go to Control Panel > Add or Remove Programs (Win XP) or Programs and Features (later)
    Remove all of these items in the following order:
    iTunes
    Apple Software Update
    Apple Mobile Device Support (if this won't uninstall move on to the next item)
    Bonjour
    Apple Application Support
    Reboot, download iTunes, then reinstall, either using an account with administrative rights, or right-clicking the downloaded installer and selecting Run as Administrator.
    The uninstall and reinstall process will preserve your iTunes library and settings, but ideally you would back up the library and your other important personal documents and data on a regular basis. See this user tip for a suggested technique.
    Please note:
    Some users may need to follow all the steps in whichever of the following support documents applies to their system. These include some additional manual file and folder deletions not mentioned above.
    HT1925: Removing and Reinstalling iTunes for Windows XP
    HT1923: Removing and reinstalling iTunes for Windows Vista, Windows 7, or Windows 8
    tt2

  • MS homeserver 2011 connector error in Win 8.1 Update 1

    Had dificulty in installing win 8.1 Update 1, which required the OS rebuild.  The Win Homerserver 2011 connect program fails to install.  Error message includes “…either another software installation is in progress, or, the computer has a restart pending.”  I have been checking all possible Microsoft solutions without finding any that worked.  
    I have just searched the registry for RebootRequired and found the following location: \HKEY_LOCAL_MACHINE\SOFTWARE\Lenovo\Lenovo Settings Installer Manager, which has a RebootRequired listed.  The system has been rebooted a large number of times.
    RebootRequired        REG_DWORD        0x00000000 (0)
    There is a sub-key \Common that has the following
    SystemRebooted        REG_DWORD        0x00000000 (1)
    This T440s is the only Lenovo system (out of 4) that has these keys.  Is this the source of my problem and can I safely remove them from the registry?  Thanks

    Had dificulty in installing win 8.1 Update 1, which required the OS rebuild.  The Win Homerserver 2011 connect program fails to install.  Error message includes “…either another software installation is in progress, or, the computer has a restart pending.”  I have been checking all possible Microsoft solutions without finding any that worked.  
    I have just searched the registry for RebootRequired and found the following location: \HKEY_LOCAL_MACHINE\SOFTWARE\Lenovo\Lenovo Settings Installer Manager, which has a RebootRequired listed.  The system has been rebooted a large number of times.
    RebootRequired        REG_DWORD        0x00000000 (0)
    There is a sub-key \Common that has the following
    SystemRebooted        REG_DWORD        0x00000000 (1)
    This T440s is the only Lenovo system (out of 4) that has these keys.  Is this the source of my problem and can I safely remove them from the registry?  Thanks

  • Since Win 8.1 update Satellite C855-2HW shuts off

    Greetings,
    Well, June 2013 I bought my Satellite C855-2HW with Windows 8 as operating system.
    The notebook worked smooth until in December 2013 I got Windows 8.1 updates.
    Since then every day (sometimes several times a day) the notebook shuts off, the Automatic Recovery feature of Windows is initiated and the message 'Windows couldn't be started as it should, a system recovery is necessary.' pops up.
    I've got this problem now for four weeks now and every time I have to install some software since the system is set to a previous recovery point.
    I hope someone can help me get rid of this problem.
    My sincere thanks in advance.
    Stefan

    Hi
    It would be interesting to know how you installed / upgraded to Win 8.1 system.
    Did you follow the Toshiba step by step instruction in order to update the Win 8.1 properly?
    I mean this instruction:
    http://www.toshiba.eu/innovation/generic/windows8_1-upgrade-stepbystep/
    I did it with my Toshiba notebook and I must say: no problems until now
    Additionally you should not forget to install/update the Win 8.1 drivers provided by Toshiba
    On Toshiba EU driver page (Win 8.1 update) you will find the installation instruction for Win 8.1 drivers. It shows you the drivers and tools which need to be removed, updated or installed again.
    Im sure the notebook would run properly in case the Win 8.1 update would be done properly.

  • Win 8 Monthly Update - T430S WAN Miniport Problem

    The May 2013 monthly update for Windows 8 leaves a Device Manager error, as well as an error message in Lenovo Solution Center.  Four T430S machines receive push updates published by Microsoft every 2nd Tuesday of the month.  After this month's push updates, all machines have the same WAN Miniport error in Device Manager.  
    2 machines were restored to before the May 2013 push updates, and the error went away.  Unfortunately, out of the 13 or so updates, the one that appears to be causing the problem is a major update to the OS.  However, the push updates do not cause any errors with T61Ps.
    Unforutunately, the WAN Miniport cannot be uninstalled.  It is part of the network stack.  So far, the only way to avoid the problem is to disable Win 8 push updates on T430S machines.
    Solved!
    Go to Solution.

    The T430S machines have Intel Ultimate-N 6300 AGN WLAN cards with 3 antennas.
    A few months back, there were intermittitent issues with WLAN connectivity.  Oddly, the signal strength was strong, but with intermittent internet access.   After r&r (removing and replacing) with a new WLAN card from Lenovo, it did not fix the intermittent WLAN connectivity issues.  
    The WLAN connectivity issues were isolated to weak wireless N internet access performance from the Intel wireless AGN driver.  Changing the wireless N channels at the router improved performance marginally (BTW, N channels have different power requirements that affect performance.)  However, internet access was still intermittent.
    Wireless N WLAN performance dramatically improved when the router was physically 10-15 feet away at most.  Since this was not practical, the best work around was to disconnect the machine from the wireless N network and setup a wireless G network at the router.  Since then, the range has been excellent with no intermittent connectivity issues.
    So far, machines with KB2836988 have not affected wireless G connectivity and performance.  Apparently, if you unhide the devices in Device Manager, KB2836988 created a second WAN Miniport for Network Monitoring #2.  The second WAN Miniport is the device with the error.  From my earlier post, the only was to get rid of the error is to do a system restore to a point before the May 2013 push updates and manually hide KB2836988.
    I plan on doing a system restore on another T430S machine to get rid of the error.  This time I am going to try and hide all of the other updates except for KB2836988.  I am hoping by isolating the KB2836988 as the first push update, I can get rid of the WAN Miniport error.  If all goes well, the other updates will be installed afterwards.

  • Satellite P845T-107 with Win 8 PRO but after Win 8.1 update it isn't PRO

    Yesterday at Saturn Salzburg bought the notebook.
    It has on the bottom a PRO Windows 8 label.
    Unfortunately, I first initiated the update to 8.1 and then only a backup created on a USB stick.
    Windows has muddled up the the Pro version after Win 8.1 update.
    Can not join domain, as I expect from a PRO version actually.
    How do I get the original Pro version again?
    The label does so, that there must have been a Pro license.
    How do I get the licenses number?
    I'm A bit sour ... how Toshiba is helping me?
    Ekkehard
    +Message was translated by google translator+

    Hi
    Regarding to the Toshiba Satellite P845T-107 specification page, the notebook was preinstalled with Windows 8 64bit.
    [Toshiba Satellite P845T-107 specification page|http://www.toshiba.de/discontinued-products/satellite-p845t-107/]
    It was not Pro version.
    You can also check all the details about this notebook on the Toshiba Unit Details
    http://aps2.toshiba-tro.de/unitdetails/
    I will need to put the serial number to get the information.

  • Battery Consumption Up Win 8.1 Update 1 W530

    Fan is running at low audible level constantly with low program load, battery appears to be draining much faster than before 8.1 or 8.1 Update 1.   Running Win 8.1 Update 1 Pro 64 bit, all latest lenovo updates and bios and latest windows updates.  Below is "powercfg -energy" report:  Power settings are set to default "Power Saver" settings, system is on battery.
    Part 1 of two since the whole report exceed the maximum message number of characters
    Power Efficiency Diagnostics Report
    Computer Name
    XXXXXXXX
    Scan Time
    2014-04-24T16:43:34Z
    Scan Duration
    60 seconds
    System Manufacturer
    LENOVO
    System Product Name
    2436CTO
    BIOS Date
    04/01/2014
    BIOS Version
    G5ET98WW (2.58 )
    OS Build
    9600
    Platform Role
    PlatformRoleMobile
    Plugged In
    false
    Process Count
    114
    Thread Count
    1308
    Report GUID
    {adabe916-5f3e-448c-af46-4024e448166e}
    Analysis Results
    Errors
    USB Suspend:USB Device not Entering Selective Suspend
    This device did not enter the USB Selective Suspend state. Processor power management may be prevented when this USB device is not in the Selective Suspend state. Note that this issue will not prevent the system from sleeping.
    Device Name
    Generic USB Hub
    Host Controller ID
    PCI\VEN_8086&DEV_1E26
    Host Controller Location
    PCI bus 0, device 29, function 0
    Device ID
    USB\VID_8087&PID_0024
    Port Path
    1
    USB Suspend:USB Device not Entering Selective Suspend
    This device did not enter the USB Selective Suspend state. Processor power management may be prevented when this USB device is not in the Selective Suspend state. Note that this issue will not prevent the system from sleeping.
    Device Name
    USB Root Hub
    Host Controller ID
    PCI\VEN_8086&DEV_1E26
    Host Controller Location
    PCI bus 0, device 29, function 0
    Device ID
    USB\VID_8086&PID_1E26
    Port Path
    USB Suspend:USB Device not Entering Selective Suspend
    This device did not enter the USB Selective Suspend state. Processor power management may be prevented when this USB device is not in the Selective Suspend state. Note that this issue will not prevent the system from sleeping.
    Device Name
    USB Composite Device
    Host Controller ID
    PCI\VEN_8086&DEV_1E26
    Host Controller Location
    PCI bus 0, device 29, function 0
    Device ID
    USB\VID_046D&PID_C52B
    Port Path
    1,5
    Platform Power Management CapabilitiesCI Express Active-State Power Management (ASPM) Disabled
    PCI Express Active-State Power Management (ASPM) has been disabled due to a known incompatibility with the hardware in this computer.

    Part 2 of "Powercfg -energy" report.   Bios is set to use onboard Intel HD4000 graphics only, Nvidia optimus is disabled ,  HD 4000 is set for maximum power savings on battery.
    Warnings
    Information
    Platform Timer Resolutionlatform Timer Resolution
    The default platform timer resolution is 15.6ms (15625000ns) and should be used whenever the system is idle. If the timer resolution is increased, processor power management technologies may not be effective. The timer resolution may be increased due to multimedia playback or graphical animations.
    Current Timer Resolution (100ns units)
    156258
    Power Policy:Active Power Plan
    The current power plan in use
    Plan Name
    OEM Power Saver
    Plan GUID
    {a1841308-3541-4fab-bc81-f71556f20b4a}
    Power Policyower Plan Personality (On Battery)
    The personality of the current power plan when the system is on battery power.
    Personality
    Power Saver
    Power Policy:Video Quality (On Battery)
    Enables Windows Media Player to optimize for quality or power savings when playing video.
    Quality Mode
    Optimize for Power Savings
    Power Policyower Plan Personality (Plugged In)
    The personality of the current power plan when the system is plugged in.
    Personality
    Power Saver
    Power Policy:802.11 Radio Power Policy is Maximum Performance (Plugged In)
    The current power policy for 802.11-compatible wireless network adapters is not configured to use low-power modes.
    Power Policy:Video quality (Plugged In)
    Enables Windows Media Player to optimize for quality or power savings when playing video.
    Quality Mode
    Balance Video Quality and Power Savings
    System Availability Requests:Analysis Success
    Analysis was successful. No energy efficiency problems were found. No information was returned.
    CPU Utilizationrocessor utilization is low
    The average processor utilization during the trace was very low. The system will consume less power when the average processor utilization is very low.
    Average Utilization (%)
    1.79
    Battery:Battery Information
    Battery ID
    8921SANYO45N1017
    Manufacturer
    SANYO
    Serial Number
    8921
    Chemistry
    LION
    Long Term
    1
    Sealed
    0
    Design Capacity
    93240
    Last Full Charge
    83170
    Battery:Battery Information
    Battery ID
    47923LGC45N1011
    Manufacturer
    LGC
    Serial Number
    47923
    Chemistry
    LION
    Long Term
    1
    Sealed
    0
    Design Capacity
    93600
    Last Full Charge
    92480
    Platform Power Management Capabilitiesupported Sleep States
    Sleep states allow the computer to enter low-power modes after a period of inactivity. The S3 sleep state is the default sleep state for Windows platforms. The S3 sleep state consumes only enough power to preserve memory contents and allow the computer to resume working quickly. Very few platforms support the S1 or S2 Sleep states.
    S1 Sleep Supported
    false
    S2 Sleep Supported
    false
    S3 Sleep Supported
    true
    S4 Sleep Supported
    true
    Platform Power Management Capabilities:Connected Standby Support
    Connected standby allows the computer to enter a low-power mode in which it is always on and connected. If supported, connected standby is used instead of system sleep states.
    Connected Standby Supported
    false
    Platform Power Management Capabilities:Adaptive Display Brightness is supported.
    This computer enables Windows to automatically control the brightness of the integrated display.
    Platform Power Management Capabilitiesrocessor Power Management Capabilities
    Effective processor power management enables the computer to automatically balance performance and energy consumption.
    Group
    0
    Index
    0
    Idle State Count
    3
    Idle State Type
    ACPI Idle (C) States
    Nominal Frequency (MHz)
    2401
    Maximum Performance Percentage
    100
    Lowest Performance Percentage
    49
    Lowest Throttle Percentage
    5
    Performance Controls Type
    ACPI Performance (P) / Throttle (T) States

  • I have a Window 8.1 and there's no update for the New Windows 10

    Dear Microsoft.
    I'm From The Middle East, I have a windows 8.1, and saw that there is a new update in Windows site, I followed by steps to Download it and I examined the updates but I don't have a new update to the Windows 10.
    Mahmoud Al-Daher

    Dear Microsoft.
    I'm From The Middle East, I have a windows 8.1, and saw that there is a new update in Windows site, I followed by steps to Download it and I examined the updates but I don't have a new update to the Windows 10.
    Mahmoud Al-Daher
    Mahmoud Al-Daher,
    Forget about getting Win 10 via Windows Update. You can download the Build 10041 ISO from this Official download site:
    http://windows.microsoft.com/en-us/windows/preview-iso-update-1503
    Make sure you select the correct bit version, i.e. 32-bit or 64-bit. Language is your choice.
    Once you have the ISO downloaded and saved to your computer, you have 2 options :
    1. Burn the ISO to a bootable DVD or a USB with at least 4GB of capacity. Then you can use it to do a clean install.
    https://www.microsoft.com/en-us/download/windows-usb-dvd-download-tool
    2. You can just go to the location where the ISO file is stored > right
    click at it > click Mount > click Setup.exe.
    The system will start installing.
    After you have build 10041 installed and you have set to Fast ring, you will be offered the latest build 10049.
    NOTE : Before you do one of the above, I would suggest that you do NOT install Win 10 TP over your Win 8.1. It would be better if you selected one of the following methods of installing Win 10 TP:
    1. Dual boot Win 8.1 and Win 10 TP.
    2. Install Win 10 TP on a virtual machine.
    The advantage of the above 2 methods is that you have 2 operating systems in your computer. You can choose which one to use any time. If you dislike Win 10 TP, you can simply remove it with couple of clicks. It's that simple to remove, and you have your Win
    8.1 like nothing has ever happened.

  • HT1926 I keep getting the following message after attempting to download and install the latest update for iTunes: missing MSVCR80.dll.  error 7 (windows error 126)

    I keep getting the following message after attempting to download and install the latest update for iTunes: missing MSVCR80.dll.  error 7 (windows error 126). Anyone else having this issue? How do I get iTunes back in working order?

    Go to Control Panel > Add or Remove Programs (Win XP) or Programs and Features (later)
    Remove all of these items in the following order:
    iTunes
    Apple Software Update
    Apple Mobile Device Support (if this won't uninstall move on to the next item)
    Bonjour
    Apple Application Support
    Reboot, download iTunes, then reinstall, either using an account with administrative rights, or right-clicking the downloaded installer and selecting Run as Administrator.
    The uninstall and reinstall process will preserve your iTunes library and settings, but ideally you would back up the library and your other important personal documents and data on a regular basis. See this user tip for a suggested technique.
    Please note:
    Some users may need to follow all the steps in whichever of the following support documents applies to their system. These include some additional manual file and folder deletions not mentioned above.
    HT1925: Removing and Reinstalling iTunes for Windows XP
    HT1923: Removing and reinstalling iTunes for Windows Vista, Windows 7, or Windows 8
    tt2

  • Auto-brightness Won't Turn off after Win 8.1 update

    I have a Y510P, and I got the Win 8.1 update about a month ago. Since then, my screen auto-dims whenever the average color of the screen is darker than plain white. So every time I am on a website that has a picture (like Facebook), as soon as I scroll to it, my entire screen dims. Also, I cannot watch videos without my laptop being plugged in because the screen is too dark to watch it on.
    When my laptop is plugged in, I have no issues. Also, even after the brightness is decreased, it tells me that my brightness is turned up all the way.
    I went into the advanced settings in control panel and have auto-brightness disabled, but it isn't helping. I tried accessing the NDIVIA settings to see if it's in there, but all I can access are simple controls, none of which affect brightness.
    Is there anything I can do to fix this? 

    this happened to me aswell please help

  • Msi k7t266 pro-RU Spontaneous Restart and win xp install problems

    i have the following system:
    athlon 1200ghz cpu with thermaltake cooler
    msi k7t266 pro ru ver 2 bios ver3.7
    nvidia geforce 2 mx400 64mb vcard
    1x 128 ddr pc1600
    1x 256 ddr pc1600
    1x maxtor 7200 rpm 30gb HDD (master)
    1x maxtor 5400 rpm 30gb HDD (slave)
    1x cd-rom
    1x cd-writer
    1 conexant pci modem
    1 lan card
    1 casing fan
    1 chipset fan
    i have the following problems:
    1. i formatted my HDD in my other desktop and installed it in my msi system. i booted from the cd and installed winxp. after installation in windows i proceeded to install updated drivers and such. after installing drivers and win xp sp1 but before being able to install office xp, my pc restarted and its own and when it rebooted i got this messsage: cannot start windows. c:windowssystem32configsystem is corrupted. i was not able to start windows again after this.
    2. after the above problem, i proceeded to attemp to install win xp again. i wasnt succesful because i always get a message saying cannot copy whatever.dll file all the time. so the installation wont continue.
    i hope u can all help me. i feel that the win xp cd might be busted, but then again i am also concerned about problem #1 above. i feel that if i can install windows again i will have the same "spontanous restart" incident that first started and caused (i think) probelm #2
    pls help.
    thanks
    Anton ;(

    Hi!
    Really, I don't think this could be a hardware problem since WinXp takes more than few minutes to install, and you did it, then you installed drivers and SP1. Why did you format HD in the other PC ? I would try a new install, taking out all not necesary stuff, leaving only CPU, memory and video card and formatting again the HD. for a clean install; then go adding the other hardware one by one, installing it's drivers and rebooting each time. Finally before connecting to internet enable Firewall to prevent Blaster Worm ( Don't know if still is going around ). One thing: Be sure HD is well connected and configured: Master if is a slave conected to same wire..etc.- If again you get an error, I would look for a faulty HD.  8)

Maybe you are looking for