Booting my iMac takes much longer when Behringer FCA 202 is attached....

Hi,
just curious if anyone has a clue for this one: my iMac boots within half a minute, when my Behringer FCA 202 firewire audio interface is NOT connected.
When I connenct it, booting takes more than a minute.
When I boot in verbose mode, it says (amongst others):
kextd[31]: kextdwatchvolumes: couldn't set up diskarb sessions
kextd[31]: diskarb isn't ready yet: we'll try again soon
My theory is that the iMac thinks ithe FCA 202 is a firewire disk instead of an audio interface, and therefore tries to connect to this "drive".
By the way, the FCA 202 works fine
Is there a way to make the computer boot faster???
Thanks!
Regards,
Jaap

Then I suggest you contact the people who make the audio device and tell them. Your theory about thr firewire disk maybe true, however if it is taking a long time to boot up, I 'expect' from experience of hardware devices, that the OS does indeed detect the device and is simply waiting for a response that it never gets.
Usually in this case the OS (or the driver that is trying to query the device) simply 'times out' and then continues on - so it is as if an expected response is not forthcoming.
You should be able to see this quite easily for instance if when you boot up hold down ctrl-v (this turns off the normal mac boot up screen and shows you 'under the hood') if the device is hanging at boot then you should see the messages stop scrolling while the device is detected.
This information, if you are interested, will be held in your logs on your mac.
Simply 'hoping' the bug gets fixed (if that is indeed what it is) won't get it fixed if no one reports it.

Similar Messages

  • When purchased, my imac would load pages very quickly.  Now, the pages seem to take much longer to load and when watching video or streaming, it often stops to catch up or rebuffer.  What do I do to speed things up?

    When I purchased my iMac last month the pages would load quickly when using the internet browser.  Now it takes much longer to load the pages and when I watch a video it pauses to catch up or is rebuffering the streaming.  What can I do to speed up my browser?

    See:
    Mac Maintenance Quick Assist,
    Mac OS X speed FAQ,
    Speeding up Macs,
    Macintosh OS X Routine Maintenance,
    Essential Mac Maintenance: Get set up,
    Essential Mac Maintenance: Rev up your routines,
    Maintaining OS X, 
    Five Mac maintenance myths, and
    Myths of required versus not required maintenance for Mac OS X for information.

  • Fetching null records out of a function takes much longer than non-null

    Hi,
    We have a function that is called thousands of times on SQL. This function has a SELECT than can return one row at max.
    We realized that when the SQL statement doesn't return any record, it takes 3x times longer in the fetch phase.
    I made a simple test with three functions were each one was executed 1000 times. The first one has an extra outer join that guarantees that it always returns one record, a second one with an explicit cursor that can return 0 records and a third one with an implicit cursor that can also return 0 records.
    Here is the sample test code:
    DECLARE
    -- Local variables here
    CURSOR c IS
    SELECT teste_vasco.teste_vasco1(epis.id_episode) as val
    FROM episode epis
    WHERE rownum <= 1000;
    TYPE t_c IS TABLE OF c%ROWTYPE;
    l_c t_c;
    BEGIN
    -- Test statements here
    OPEN c;
    FETCH c BULK COLLECT
    INTO l_c;
    CLOSE c;
              for i in l_c.first..l_c.last
              loop
              dbms_output.put_line(i || ' :' || l_c(i).val);
              end loop;
    END;
    The difference between the tests is that instead of calling the vasco1 function, vasco2 and vasco3 is called.
    ###Test1
    -Function vasco1:
    FUNCTION teste_vasco1(i_episode IN episode.id_episode%TYPE) RETURN VARCHAR2 IS
    l_dt_set TIMESTAMP WITH LOCAL TIME ZONE;
    l_flg_stage VARCHAR2(3);
    l_dt_warn TIMESTAMP WITH LOCAL TIME ZONE;
    CURSOR c_care_stage IS
    SELECT cs.dt_set, cs.flg_stage, cs.dt_warn
    FROM episode epis
    LEFT JOIN care_stage cs ON (cs.id_episode = epis.id_episode AND cs.flg_active = 'Y')
    WHERE epis.id_episode = i_episode;
    BEGIN
    OPEN c_care_stage;
    FETCH c_care_stage
    INTO l_dt_set, l_flg_stage, l_dt_warn;
    CLOSE c_care_stage;
    IF l_dt_set IS NULL
    THEN
    RETURN NULL;
    END IF;
    RETURN l_dt_set || l_flg_stage || l_dt_warn;
    EXCEPTION
    WHEN OTHERS THEN
    pk_alert_exceptions.raise_error(error_code_in => SQLCODE, text_in => SQLERRM);
    pk_alert_exceptions.reset_error_state;
    RETURN NULL;
    END teste_vasco1;
    -Trace file:
    SELECT TESTE_VASCO.TESTE_VASCO1(EPIS.ID_EPISODE) AS VAL
    FROM
    EPISODE EPIS WHERE ROWNUM <= 1000
    call count cpu elapsed disk query current rows
    Parse 1 0.01 0.00 0 0 0 0
    Execute 1 0.00 0.00 0 0 0 0
    Fetch 1 0.04 0.06 0 8 0 1000
    total        3      0.06       0.07          0          8          0        1000
    Misses in library cache during parse: 1
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 1)
    Rows Row Source Operation
    1000 COUNT STOPKEY (cr=8 pr=0 pw=0 time=2035 us)
    1000 INDEX FAST FULL SCAN EPIS_EPISODE_INFO_UI (cr=8 pr=0 pw=0 time=1030 us)(object id 153741)
    SELECT CS.DT_SET, CS.FLG_STAGE, CS.DT_WARN
    FROM
    EPISODE EPIS LEFT JOIN CARE_STAGE CS ON (CS.ID_EPISODE = EPIS.ID_EPISODE AND
    CS.FLG_ACTIVE = 'Y') WHERE EPIS.ID_EPISODE = :B1
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1000 0.07 0.05 0 0 0 0
    Fetch 1000 0.01 0.02 0 4001 0 1000
    total     2001      0.09       0.07          0       4001          0        1000
    Misses in library cache during parse: 1
    Misses in library cache during execute: 1
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 2)
    ###Test2
    -Function vasco2:
    FUNCTION teste_vasco2(i_episode IN episode.id_episode%TYPE) RETURN VARCHAR2 IS
    l_dt_set TIMESTAMP WITH LOCAL TIME ZONE;
    l_flg_stage VARCHAR2(3);
    l_dt_warn TIMESTAMP WITH LOCAL TIME ZONE;
    CURSOR c_care_stage IS
    SELECT cs.dt_set, cs.flg_stage, cs.dt_warn
    FROM care_stage cs
    WHERE cs.id_episode = i_episode
    AND cs.flg_active = 'Y';
    BEGIN
    OPEN c_care_stage;
    FETCH c_care_stage
    INTO l_dt_set, l_flg_stage, l_dt_warn;
    IF c_care_stage%NOTFOUND
    THEN
    CLOSE c_care_stage;
    RETURN NULL;
    END IF;
    CLOSE c_care_stage;
    IF l_dt_set IS NULL
    THEN
    RETURN NULL;
    END IF;
    RETURN l_dt_set || l_flg_stage || l_dt_warn;
    EXCEPTION
    WHEN OTHERS THEN
    pk_alert_exceptions.raise_error(error_code_in => SQLCODE, text_in => SQLERRM);
    pk_alert_exceptions.reset_error_state;
    RETURN NULL;
    END teste_vasco2;
    -Trace File:
    SELECT TESTE_VASCO.TESTE_VASCO2(EPIS.ID_EPISODE) AS VAL
    FROM
    EPISODE EPIS WHERE ROWNUM <= 1000
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1 0.00 0.00 0 0 0 0
    Fetch 1 0.00 0.27 0 8 0 1000
    total        3      0.00       0.27          0          8          0        1000
    Misses in library cache during parse: 0
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 1)
    Rows Row Source Operation
    1000 COUNT STOPKEY (cr=8 pr=0 pw=0 time=2048 us)
    1000 INDEX FAST FULL SCAN EPIS_EPISODE_INFO_UI (cr=8 pr=0 pw=0 time=1045 us)(object id 153741)
    SELECT CS.DT_SET, CS.FLG_STAGE, CS.DT_WARN
    FROM
    CARE_STAGE CS WHERE CS.ID_EPISODE = :B1 AND CS.FLG_ACTIVE = 'Y'
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1000 0.03 0.05 0 0 0 0
    Fetch 1000 0.00 0.00 0 2001 0 1
    total     2001      0.03       0.06          0       2001          0           1
    Misses in library cache during parse: 0
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 2)
    Rows Row Source Operation
    1 TABLE ACCESS BY INDEX ROWID CARE_STAGE (cr=2001 pr=0 pw=0 time=11082 us)
    1 INDEX RANGE SCAN CS_EPIS_FACT_FST_I (cr=2000 pr=0 pw=0 time=7815 us)(object id 688168)
    ###Test3
    -Function vasco3
    FUNCTION teste_vasco3(i_episode IN episode.id_episode%TYPE) RETURN VARCHAR2 IS
    l_dt_set TIMESTAMP WITH LOCAL TIME ZONE;
    l_flg_stage VARCHAR2(3);
    l_dt_warn TIMESTAMP WITH LOCAL TIME ZONE;
    BEGIN
    BEGIN
    SELECT cs.dt_set, cs.flg_stage, cs.dt_warn
    INTO l_dt_set, l_flg_stage, l_dt_warn
    FROM care_stage cs
    WHERE cs.id_episode = i_episode
    AND cs.flg_active = 'Y';
    EXCEPTION
    WHEN no_data_found THEN
    RETURN NULL;
    END;
    IF l_dt_set IS NULL
    THEN
    RETURN NULL;
    END IF;
    RETURN l_dt_set || l_flg_stage || l_dt_warn;
    EXCEPTION
    WHEN OTHERS THEN
    pk_alert_exceptions.raise_error(error_code_in => SQLCODE, text_in => SQLERRM);
    pk_alert_exceptions.reset_error_state;
    RETURN NULL;
    END teste_vasco3;
    -Trace file:
    SELECT TESTE_VASCO.TESTE_VASCO3(EPIS.ID_EPISODE) AS VAL
    FROM
    EPISODE EPIS WHERE ROWNUM <= 1000
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1 0.00 0.00 0 0 0 0
    Fetch 1 0.25 0.27 0 8 0 1000
    total        3      0.25       0.27          0          8          0        1000
    Misses in library cache during parse: 1
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 1)
    Rows Row Source Operation
    1000 COUNT STOPKEY (cr=8 pr=0 pw=0 time=2033 us)
    1000 INDEX FAST FULL SCAN EPIS_EPISODE_INFO_UI (cr=8 pr=0 pw=0 time=1031 us)(object id 153741)
    SELECT CS.DT_SET, CS.FLG_STAGE, CS.DT_WARN
    FROM
    CARE_STAGE CS WHERE CS.ID_EPISODE = :B1 AND CS.FLG_ACTIVE = 'Y'
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1000 0.07 0.06 0 0 0 0
    Fetch 1000 0.00 0.00 0 2001 0 1
    total     2001      0.07       0.06          0       2001          0           1
    Misses in library cache during parse: 1
    Misses in library cache during execute: 1
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 2)
    Rows Row Source Operation
    1 TABLE ACCESS BY INDEX ROWID CARE_STAGE (cr=2001 pr=0 pw=0 time=11119 us)
    1 INDEX RANGE SCAN CS_EPIS_FACT_FST_I (cr=2000 pr=0 pw=0 time=7951 us)(object id 688168)
    As you can see, in the first example the fetch time of the SELECT in the function vasco1 takes 0.02 seconds and 0.06 in the SELECT of the test script. This test returned 1000 non-null records.
    In the tests 2 and 3, the fetch phase of the SELECT in the test script takes much more time - 0.27 seconds, despite the fetch of the SELECT in the functions (vasco2 and vasco3) took 0.00 seconds (as it only returned 1 row for the 1000 executions) and the only difference between them is the function that is called. Both test2 and test3 returned 999 null records and 1 non-null record.
    How it's possible than a select null records takes much longer than selecting non-null records?
    Hope you can understand the problem and thank you in advance for any help or suggestions.

    Thank you for the replies...
    But the thing is that the SELECT in the function is very fast and the fetch phase takes no time (0.00 second).
    And, as you can see in the execution plan, there's no need for a full index scan...only a range scan is performed:
    SELECT CS.DT_SET, CS.FLG_STAGE, CS.DT_WARN
    FROM
    CARE_STAGE CS WHERE CS.ID_EPISODE = :B1 AND CS.FLG_ACTIVE = 'Y'
    call count cpu elapsed disk query current rows
    Parse 1 0.00 0.00 0 0 0 0
    Execute 1000 0.07 0.06 0 0 0 0
    Fetch 1000 0.00 0.00 0 2001 0 1
    total     2001      0.07       0.06          0       2001          0           1
    Misses in library cache during parse: 1
    Misses in library cache during execute: 1
    Optimizer mode: ALL_ROWS
    Parsing user id: 286 (recursive depth: 2)
    Rows Row Source Operation
    1 TABLE ACCESS BY INDEX ROWID CARE_STAGE (cr=2001 pr=0 pw=0 time=11119 us)
    1 INDEX RANGE SCAN CS_EPIS_FACT_FST_I (cr=2000 pr=0 pw=0 time=7951 us)(object id 688168)
    But, the fetch phase of the SQL that calls the function that has this query takes 0,27 seconds.
    As far as the contex switch, we are aware of that, but we can have modularity with this solution and the first function also have many context switching and is must faster.
    Edited by: Pretender on Mar 18, 2009 3:38 PM

  • Save takes MUCH longer with images placed

    When I have images placed in Illustrator, even just a few small ones, Save takes much longer..so long that it can be 20 seconds before I even see the progress bar, and after that the saving actually happens.
    Is there a way around this, or are we stuck wtih mind-numbing save times when we have raster elements placed in Illustrator?
    thank you!
    CS6, OS X 10.8.4
    w

    when you 'place' images, they may, by default, be embedded...
    unless you check the 'link' box

  • After installing VS 2013 my Excel/Word/PowerPoint 2010 student edition takes much longer to start-up...

    Hi,
    After installing Visual Studio Community 2013, my Excel/Word/PowerPoint 2010 student edition takes much longer to start-up. Whenever I open Excel/Work/PowerPoint, the Windows Installer configures VS Studio 2013 each time. Is this the normal behavior, can
    I stop this?

    Thank you for your response.
    I actually found the answer I was looking for through a couple of URL's below:
    1. This first URL walked me through everything I needed to do find the actual warning using the Event Viewer and then the fix. There are two command for the suggested fix (remove and addlocal registry items) but since I don't think MS Office 2010 student
    edition came with VBA support (I could be wrong), I only did the REMOVE command. After that, launching my Office apps now only takes  a couple of seconds instead of 2-3 minutes. Here's the first URL (http):
    Since I'm not allowed to post a link yet:
    The blog is from MSDN by Heath Stewart (MSFT) dated May 29, 2009 "how-to-workaround-the-issue-when-opening-office-applications-repairs-visual-studio"
    2. The second URL (https) below is from a forum with similar issue that confirmed what I had to do. In this forum the helpee ran the suggested two commands and had the same warning:
    Since I'm not allowed to post a link yet:
    This next URL is from Anne Jing's thread dated Jan 6-9, 2015: 
    So, I decided to do as helpee did.
    Here are the details of my challenge and the fix I ran following the first URL above:
    Following is the actual warning I was getting when launching Office apps:
    Log Name:      Application
    Source:        MsiInstaller
    Date:          1/23/15 12:12:30 PM
    Event ID:      1001
    Task Category: None
    Level:         Warning
    Keywords:      Classic
    User:          Gerry-pavg6-HP\Gerry-pavg6
    Computer:      Gerry-pavg6-HP
    Description:
    Detection of product '{9C593464-7F2F-37B3-89F8-7E894E3B09EA}', feature 'VB_for_VS_7_Pro_11320_x86_enu' failed during request for component '{9DE325B8-0C09-49EB-99AE-12284811D61C}'
    Event Xml:
    <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
      <System>
        <Provider Name="MsiInstaller" />
        <EventID Qualifiers="0">1001</EventID>
        <Level>3</Level>
        <Task>0</Task>
        <Keywords>0x80000000000000</Keywords>
        <TimeCreated SystemTime="2015-01-23T17:12:30.000000000Z" />
        <EventRecordID>51710</EventRecordID>
        <Channel>Application</Channel>
        <Computer>Gerry-pavg6-HP</Computer>
        <Security UserID="S-1-5-21-3985824742-3742285712-2182756392-1002" />
      </System>
      <EventData>
        <Data>{9C593464-7F2F-37B3-89F8-7E894E3B09EA}</Data>
        <Data>VB_for_VS_7_Pro_11320_x86_enu</Data>
        <Data>{9DE325B8-0C09-49EB-99AE-12284811D61C}</Data>
        <Data>(NULL)</Data>
        <Data>(NULL)</Data>
        <Data>(NULL)</Data>
        <Data>
        </Data>
      </EventData>
    </Event>
    Fix: 
    I only run the 'REMOVE' command below for now because I didn't want to reinstall VS 2013 from the Internet, it needs >7GB to download) Jan23/15:
    'REMOVE'
    start /wait msiexec.exe /i {9C593464-7F2F-37B3-89F8-7E894E3B09EA} /L*vx "%TEMP%\1.remove.log" REMOVE=VB_for_VS_7_Pro_11320_x86_enu
    'ADDLOCAL'
    start /wait msiexec.exe /i {9C593464-7F2F-37B3-89F8-7E894E3B09EA} /L*vx "%TEMP%\2.addlocal.log" ADDLOCAL=VB_for_VS_7_Pro_11320_x86_enu TARGETDIR="%ProgramFiles%\Microsoft Visual Studio
    10.0"
    Note: Please ensure to open the first URL above and follow the steps when running the REMOVE and ADDLOCAL commands above.

  • After installing update takes much longer to go to sleep

    After I installed the latest security update (2005-08) I noticed that my powerbook takes much longer now to go to sleep. In fact it can now take somewhere around 30 seconds to finally show me the blinking eye (or whatever that is called). Before the update, it went to sleep in just a few seconds, it never took that long. Has anyone else noticed this behavior?
    This is a powerbook G4 with 10.4.2.

    Ok, please forget about this post. It's amazing what a reboot can do
    nick

  • AE CC - saving projects takes much longer than in CS6

    I've noticed that After Effects CC takes much longer to save my current project than previously (about 2-3 minutes). I'm used to saving quite often so this is slowing down my workflow.
    The project was imported from AE CS6. I've tried starting a new project and importing the previous one manually (instead of a conversion). Same lag.
    All unused footage has been taken out and the footage has been consolidated.
    The AE CS6 project file and AE CC file are about 15mb so CC is not any bigger.
    There are about 50 files in Arri Raw 3K, the rest is in DPX and ProRes 1080p.
    I'm working from a Macbook Pro Retina 16GB Ram and all media and cache are on an external Lacie Big Disk thunderbolt Raid SSD.
    My impression is that AE CC is indexing all the files before saving so it's going through all the RAW sequenced files. This could slow down the saving process quite a lot.
    Is anyone experiencing the same lag time while saving projects?

    I'm having the same issue on my PC, saving is taking much longer and is also happening every time I RAM preview. Very strange, and in fact now its having trouble accessing the save location, a local hard drive. any answers for this isse?

  • Saving images takes much longer now?

    About six weeks ago, saving images started to take much longer than they used to
    . Elements 11.

    I have been doing all kinds of editing - it doesn't seem to make much difference what or if I save as JPEG or TIFF. I am using Windows 7. I am saving to the original folder. I have saved and closwed these files from the Editor. The Organizer freezes and I just have to wait to do anything else?
    Thanks

  • It takes much longer time to power down.

    Since i upgraded to mountainlion it takes much longer time to power down. As if the harddisk is being scanned. Anyone any thoughts on that ?
    greetz,

    Since i upgraded to mountainlion it takes much longer time to power down. As if the harddisk is being scanned. Anyone any thoughts on that ?
    greetz,

  • My Behringer FCA 202 is not showing as a device with OS X update - Please advise?!

    My Behringer FCA 202 is not showing as a device with OS X update

    No.
    Try updating the driver for Apple Mobile Device in the Universal Device controller section of the Device Manager.
    (Apple Mobile Device will not show if your phone is not connected)
    If you want to manually assign it:
    Make sure your iPhone is connected to a USB port on the computer.
    Launch Desktop and hover your cursor over the bottom-left corner of your screen to reveal the Start screen icon. Right-click on the Start screen icon then click on Device Manager.
    Right-click the Apple Mobile Device in the Universal Serial Bus controllers and choose Update Driver Software.
    Click Browse my computer for driver software
    Click Let me pick from a list of device drivers on my computer
    Click the Have Disk button.
    Click the Browse button and navigate to C:\Program Files\Common Files\Apple\Mobile Device Support\Drivers.
    Double-click the usbaapl file. (if 64bit then it may be called usbaapl64)
    Click Open in the Have Disk window, then Next and Finish.

  • IMAC takes very long to boot and and shut down.

    My iMAC 21" takes very long (15-20 mts) to boot up and become responsive. It also takes More than 5 mts to shut down. The HW test and disk utility do not report any issue. I have Erased the disk and re-installed OS X 10.9.2 two times. On the second re-install, I deliberately did not restore the backup from the time machine. It works well after it settles down. I changed the mouse and have cheked the Apple wireless keyboard.
    The problems began after the last security update to the best of my recollection. Since there does not appear to be any HW issue and I have re-installed the software, I am unable to determine what else I can do to resolve the issue.

    Hello. Thank you for responding to my message.
    I have shut down the system at 8.28am local time (took about 2 mts which is not bad). I then restarted and it took more than 10 mts to reach the login prompt. After login, it took several more minutes until all the icons were displayed at the bottom. After clicking on Safari and reaching the top hits pages also took an unresonable amount of time considering it is a quad core MAC and I am on a fibre internet connection. (Other computers at home respond quickly). I have to add that I am experiencing intermittent performane issues even when the MAC settles down after the long startup time. i.e. get to see the coloured spinning wheel several times.
    I have tried my best to cut down the log size but found many unique lines as the boot took so long. So, apologies for the length of the log. The System diagnostics section in the Console app is blank with no reports at all.
    2/5/14 8:28:23.982 am com.apple.launchd.peruser.501[179]: (com.apple.PackageKit.InstallStatus) Throttling respawn: Will start in 5 seconds
    2/5/14 8:28:25.782 am WindowServer[83]: disable_update_timeout: UI updates were forcibly disabled by application "loginwindow" for over 1.00 seconds. Server has re-enabled them.
    2/5/14 8:28:26.416 am WindowServer[83]: common_reenable_update: UI updates were finally reenabled by application "loginwindow" after 1.63 seconds (server forcibly re-enabled them after 1.00 seconds)
    2/5/14 8:28:26.424 am WindowServer[83]: CGXGetConnectionProperty: Invalid connection 51715
    2/5/14 8:28:26.431 am com.apple.launchd[1]: (com.apple.ShareKitHelper[252]) Exited: Killed: 9
    2/5/14 8:28:26.431 am com.apple.launchd.peruser.501[179]: (com.apple.AirPlayUIAgent[219]) Exited: Killed: 9
    2/5/14 8:28:26.437 am com.apple.launchd.peruser.501[179]: ([0x0-0x17017].com.apple.AppleSpell[310]) Exited: Killed: 9
    2/5/14 8:28:32.476 am sessionlogoutd[379]: sessionlogoutd Launched
    2/5/14 8:28:32.483 am sessionlogoutd[379]: DEAD_PROCESS: 41 console
    2/5/14 8:28:32.504 am airportd[63]: _doAutoJoin: Already associated to “Star-7789”. Bailing on auto-join.
    2/5/14 8:28:47.258 am shutdown[380]: halt by _coreaudiod:
    2/5/14 8:28:47.000 am kernel[0]: Kext loading now disabled.
    2/5/14 8:28:47.000 am kernel[0]: Kext unloading now disabled.
    2/5/14 8:28:47.000 am kernel[0]: Kext autounloading now disabled.
    2/5/14 8:28:47.000 am kernel[0]: Kernel requests now disabled.
    2/5/14 8:28:47.258 am shutdown[380]: SHUTDOWN_TIME: 1398990527 258440
    2/5/14 8:30:30.000 am bootlog[0]: BOOT_TIME 1398990630 0
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.appstore" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.authd" sharing output destination "/var/log/system.log" with ASL Module "com.apple.asl".
    Output parameters from ASL Module "com.apple.asl" override any specified in ASL Module "com.apple.authd".
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.authd" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.performance" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.securityd" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    2/5/14 8:31:56.000 am syslogd[19]: Configuration Notice:
    ASL Module "com.apple.securityd" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    2/5/14 8:31:56.000 am kernel[0]: Longterm timer threshold: 1000 ms
    2/5/14 8:31:56.000 am kernel[0]: PMAP: PCID enabled
    2/5/14 8:31:56.000 am kernel[0]: PMAP: Supervisor Mode Execute Protection enabled
    2/5/14 8:31:56.000 am kernel[0]: Darwin Kernel Version 13.1.0: Wed Apr  2 23:52:02 PDT 2014; root:xnu-2422.92.1~2/RELEASE_X86_64
    2/5/14 8:31:56.000 am kernel[0]: vm_page_bootstrap: 1861432 free pages and 219336 wired pages
    2/5/14 8:31:56.000 am kernel[0]: kext submap [0xffffff7f807a5000 - 0xffffff8000000000], kernel text [0xffffff8000200000 - 0xffffff80007a5000]
    2/5/14 8:31:56.000 am kernel[0]: zone leak detection enabled
    2/5/14 8:31:56.000 am kernel[0]: "vm_compressor_mode" is 4
    2/5/14 8:31:56.000 am kernel[0]: standard timeslicing quantum is 10000 us
    2/5/14 8:31:56.000 am kernel[0]: standard background quantum is 2500 us
    2/5/14 8:31:56.000 am kernel[0]: mig_table_max_displ = 74
    2/5/14 8:31:56.000 am kernel[0]: TSC Deadline Timer supported and enabled
    2/5/14 8:31:56.000 am kernel[0]: AppleACPICPU: ProcessorId=1 LocalApicId=0 Enabled
    2/5/14 8:31:56.000 am kernel[0]: AppleACPICPU: ProcessorId=2 LocalApicId=2 Enabled
    2/5/14 8:31:56.000 am kernel[0]: AppleACPICPU: ProcessorId=3 LocalApicId=4 Enabled
    2/5/14 8:31:56.000 am kernel[0]: AppleACPICPU: ProcessorId=4 LocalApicId=6 Enabled
    2/5/14 8:31:56.000 am kernel[0]: calling mpo_policy_init for TMSafetyNet
    2/5/14 8:31:56.000 am kernel[0]: Security policy loaded: Safety net for Time Machine (TMSafetyNet)
    2/5/14 8:31:56.000 am kernel[0]: calling mpo_policy_init for Sandbox
    2/5/14 8:31:56.000 am kernel[0]: Security policy loaded: Seatbelt sandbox policy (Sandbox)
    2/5/14 8:31:56.000 am kernel[0]: calling mpo_policy_init for Quarantine
    2/5/14 8:31:56.000 am kernel[0]: Security policy loaded: Quarantine policy (Quarantine)
    2/5/14 8:31:56.000 am kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    2/5/14 8:31:56.000 am kernel[0]: The Regents of the University of California. All rights reserved.
    2/5/14 8:31:56.000 am kernel[0]: MAC Framework successfully initialized
    2/5/14 8:31:56.000 am kernel[0]: using 16384 buffer headers and 10240 cluster IO buffer headers
    2/5/14 8:31:56.000 am kernel[0]: AppleKeyStore starting (BUILT: Jan 16 2014 20:19:00)
    2/5/14 8:31:56.000 am kernel[0]: IOAPIC: Version 0x20 Vectors 64:87
    2/5/14 8:31:56.000 am kernel[0]: ACPI: sleep states S3 S4 S5
    2/5/14 8:31:56.000 am kernel[0]: AppleIntelCPUPowerManagement: Turbo Ratios 3467
    2/5/14 8:31:56.000 am kernel[0]: AppleIntelCPUPowerManagement: (built 19:46:50 Jan 16 2014) initialization complete
    2/5/14 8:31:56.000 am kernel[0]: pci (build 20:00:24 Jan 16 2014), flags 0x63008, pfm64 (36 cpu) 0xf80000000, 0x80000000
    2/5/14 8:31:56.000 am kernel[0]: [ PCI configuration begin ]
    2/5/14 8:31:56.000 am kernel[0]: console relocated to 0xf80020000
    2/5/14 8:31:56.000 am kernel[0]: [ PCI configuration end, bridges 13, devices 16 ]
    2/5/14 8:31:56.000 am kernel[0]: AppleThunderboltNHIType2::setupPowerSavings - GPE based runtime power management
    2/5/14 8:31:56.000 am kernel[0]: mcache: 4 CPU(s), 64 bytes CPU cache line size
    2/5/14 8:31:56.000 am kernel[0]: mbinit: done [96 MB total pool size, (64/32) split]
    2/5/14 8:31:56.000 am kernel[0]: Pthread support ABORTS when sync kernel primitives misused
    2/5/14 8:31:56.000 am kernel[0]: rooting via boot-uuid from /chosen: BAEA055B-14AD-3566-B5E1-7009F2439E7E
    2/5/14 8:31:56.000 am kernel[0]: Waiting on <dict ID="0"><key>IOProviderClass</key><string ID="1">IOResources</string><key>IOResourceMatch</key><string ID="2">boot-uuid-media</string></dict>
    2/5/14 8:31:56.000 am kernel[0]: com.apple.AppleFSCompressionTypeZlib kmod start
    2/5/14 8:31:56.000 am kernel[0]: com.apple.AppleFSCompressionTypeDataless kmod start
    2/5/14 8:31:56.000 am kernel[0]: com.apple.AppleFSCompressionTypeZlib load succeeded
    2/5/14 8:31:56.000 am kernel[0]: com.apple.AppleFSCompressionTypeDataless load succeeded
    2/5/14 8:31:56.000 am kernel[0]: AppleIntelCPUPowerManagementClient: ready
    2/5/14 8:31:56.000 am kernel[0]: Got boot device = IOService:/AppleACPIPlatformExpert/PCI0@0/AppleACPIPCI/SATA@1F,2/AppleIntelPchS eriesAHCI/PRT0@0/IOAHCIDevice@0/AppleAHCIDiskDriver/IOAHCIBlockStorageDevice/IOB lockStorageDriver/APPLE HDD ST1000LM024 Media/IOGUIDPartitionScheme/Customer@2
    2/5/14 8:31:56.000 am kernel[0]: BSD root: disk0s2, major 1, minor 3
    2/5/14 8:31:56.000 am kernel[0]: BTCOEXIST off
    2/5/14 8:31:56.000 am kernel[0]: BRCM tunables:
    2/5/14 8:31:56.000 am kernel[0]: pullmode[1] txringsize[  256] txsendqsize[1024] reapmin[   32] reapcount[  128]
    2/5/14 8:31:56.000 am kernel[0]: Thunderbolt Self-Reset Count = 0xedefbe00
    2/5/14 8:31:56.000 am kernel[0]: IOThunderboltSwitch<0xffffff8038947200>(0x0)::listenerCallback - Thunderbolt HPD packet for route = 0x0 port = 11 unplug = 0
    2/5/14 8:31:56.000 am kernel[0]: IOThunderboltSwitch<0xffffff8038947200>(0x0)::listenerCallback - Thunderbolt HPD packet for route = 0x0 port = 12 unplug = 0
    2/5/14 8:31:56.000 am kernel[0]: hfs: mounted Macintosh HD on device root_device
    2/5/14 8:31:56.000 am kernel[0]: pci pause: SDXC
    2/5/14 8:30:55.844 am com.apple.launchd[1]: *** launchd[1] has started up. ***
    2/5/14 8:30:55.844 am com.apple.launchd[1]: *** Shutdown logging is enabled. ***
    2/5/14 8:31:54.439 am com.apple.SecurityServer[14]: Session 100000 created
    2/5/14 8:31:56.000 am kernel[0]: Waiting for DSMOS...
    2/5/14 8:31:56.589 am hidd[48]: void __IOHIDPlugInLoadBundles(): Loaded 0 HID plugins
    2/5/14 8:31:56.590 am hidd[48]: Posting 'com.apple.iokit.hid.displayStatus' notifyState=1
    2/5/14 8:31:56.000 am kernel[0]: VM Swap Subsystem is ON
    2/5/14 8:31:59.855 am distnoted[20]: assertion failed: 13C1021: liblaunch.dylib + 25164 [38D1AB2C-A476-385F-8EA8-7AB604CA1F89]: 0x25
    2/5/14 8:31:59.000 am kernel[0]: IO80211Controller::dataLinkLayerAttachComplete():  adding AppleEFINVRAM notification
    2/5/14 8:31:59.000 am kernel[0]: IO80211Interface::efiNVRAMPublished(): 
    2/5/14 8:32:01.000 am kernel[0]: IOBluetoothUSBDFU::probe
    2/5/14 8:32:01.000 am kernel[0]: IOBluetoothUSBDFU::probe ProductID - 0x828B FirmwareVersion - 0x0079
    2/5/14 8:32:01.000 am kernel[0]: **** [IOBluetoothHostControllerUSBTransport][start] -- completed -- result = TRUE -- 0xb400 ****
    2/5/14 8:32:01.000 am kernel[0]: **** [BroadcomBluetoothHostControllerUSBTransport][start] -- Completed -- 0xb400 ****
    2/5/14 8:32:01.000 am kernel[0]: SMC::smcReadKeyAction ERROR: smcReadData8 failed for key LsNM (kSMCKeyNotFound)
    2/5/14 8:32:01.000 am kernel[0]: SMC::smcReadKeyAction ERROR LsNM kSMCKeyNotFound(0x84) fKeyHashTable=0x0
    2/5/14 8:32:01.000 am kernel[0]: SMC::smcGetLightshowVers ERROR: smcReadKey LsNM failed (kSMCKeyNotFound)
    2/5/14 8:32:01.000 am kernel[0]: SMC::smcPublishLightshowVersion ERROR: smcGetLightshowVers failed (kSMCKeyNotFound)
    2/5/14 8:32:01.000 am kernel[0]: SMC::smcInitHelper ERROR: smcPublishLightshowVersion failed (kSMCKeyNotFound)
    2/5/14 8:32:01.000 am kernel[0]: Previous Shutdown Cause: 5
    2/5/14 8:32:01.000 am kernel[0]: NVDAStartup: Official
    2/5/14 8:32:01.000 am kernel[0]: init
    2/5/14 8:32:01.000 am kernel[0]: probe
    2/5/14 8:32:01.000 am kernel[0]: start
    2/5/14 8:32:01.000 am kernel[0]: [IOBluetoothHCIController][staticBluetoothHCIControllerTransportShowsUp] -- Received Bluetooth Controller register service notification -- 0xb400
    2/5/14 8:32:01.000 am kernel[0]: [IOBluetoothHCIController][start] -- completed
    2/5/14 8:32:01.000 am kernel[0]: NVDAGK100HAL loaded and registered
    2/5/14 8:32:01.000 am kernel[0]: [IOBluetoothHCIController::setConfigState] calling registerService
    2/5/14 8:32:01.000 am kernel[0]: **** [IOBluetoothHCIController][protectedBluetoothHCIControllerTransportShowsUp] -- Connected to the transport successfully -- 0xab00 -- 0x1800 -- 0xb400 ****
    2/5/14 8:32:01.000 am kernel[0]: DSMOS has arrived
    2/5/14 8:32:01.965 am com.apple.usbmuxd[26]: usbmuxd-327.4 on Feb 12 2014 at 14:54:33, running 64 bit
    2/5/14 8:32:02.000 am kernel[0]: AirPort: Link Down on en1. Reason 8 (Disassociated because station leaving).
    2/5/14 8:32:04.345 am configd[17]: dhcp_arp_router: en1 SSID unavailable
    2/5/14 8:32:04.354 am configd[17]: setting hostname to "Johns-iMac.local"
    2/5/14 8:32:04.357 am configd[17]: network changed.
    2/5/14 8:32:11.163 am stackshot[29]: Timed out waiting for IOKit to finish matching.
    2/5/14 8:32:21.000 am kernel[0]: flow_divert_kctl_disconnect (0): disconnecting group 1
    2/5/14 8:32:21.654 am com.apple.SecurityServer[14]: Entering service
    2/5/14 8:32:24.752 am loginwindow[43]: Login Window Application Started
    2/5/14 8:32:24.752 am awacsd[60]: Starting awacsd connectivity_executables-97 (Aug 24 2013 23:49:23)
    2/5/14 8:32:24.758 am awacsd[60]: InnerStore CopyAllZones: no info in Dynamic Store
    2/5/14 8:32:24.760 am digest-service[65]: label: default
    2/5/14 8:32:24.760 am digest-service[65]:           dbname: od:/Local/Default
    2/5/14 8:32:24.760 am digest-service[65]:           mkey_file: /var/db/krb5kdc/m-key
    2/5/14 8:32:24.760 am digest-service[65]:           acl_file: /var/db/krb5kdc/kadmind.acl
    2/5/14 8:32:24.762 am digest-service[65]: digest-request: uid=0
    2/5/14 8:32:24.768 am UserEventAgent[11]: Failed to copy info dictionary for bundle /System/Library/UserEventPlugins/alfUIplugin.plugin
    2/5/14 8:32:24.775 am mDNSResponder[40]: mDNSResponder mDNSResponder-522.90.2 (Nov  3 2013 18:51:09) starting OSXVers 13
    2/5/14 8:32:24.784 am UserEventAgent[11]: Captive: CNPluginHandler en1: Inactive
    2/5/14 8:32:24.803 am digest-service[65]: digest-request: netr probe 0
    2/5/14 8:32:24.803 am digest-service[65]: digest-request: init request
    2/5/14 8:32:24.810 am digest-service[65]: digest-request: init return domain: BUILTIN server: JohnS-IMAC indomain was: <NULL>
    2/5/14 8:32:24.844 am mDNSResponder[40]: D2D_IPC: Loaded
    2/5/14 8:32:24.844 am mDNSResponder[40]: D2DInitialize succeeded
    2/5/14 8:32:24.847 am mDNSResponder[40]:   4: Listening for incoming Unix Domain Socket client requests
    2/5/14 8:32:24.864 am systemkeychain[83]: done file: /var/run/systemkeychaincheck.done
    2/5/14 8:32:39.821 am awacsd[60]: Exiting
    2/5/14 8:32:59.919 am configd[17]: InterfaceNamer: timed out waiting for IOKit to quiesce
    2/5/14 8:32:59.919 am configd[17]: Busy services :
    2/5/14 8:32:59.919 am configd[17]:   iMac13,1 [1, 150166 ms]
    2/5/14 8:32:59.919 am configd[17]:   iMac13,1/AppleACPIPlatformExpert [1, 61878 ms]
    2/5/14 8:32:59.919 am configd[17]:   iMac13,1/AppleACPIPlatformExpert/CPU0@0 [1, 58697 ms]
    2/5/14 8:32:59.920 am configd[17]:   iMac13,1/AppleACPIPlatformExpert/CPU0@0/AppleACPICPU [1, 58692 ms]
    2/5/14 8:32:59.920 am configd[17]:   iMac13,1/AppleACPIPlatformExpert/CPU0@0/AppleACPICPU/X86PlatformPlugin [!registered, !matched, 1, 58622 ms]
    2/5/14 8:32:59.000 am kernel[0]: en2: promiscuous mode enable succeeded
    2/5/14 8:32:59.000 am kernel[0]: en3: promiscuous mode enable succeeded
    2/5/14 8:33:07.391 am airportd[64]: airportdProcessDLILEvent: en1 attached (up)
    2/5/14 8:33:07.000 am kernel[0]: createVirtIf(): ifRole = 1
    2/5/14 8:33:07.000 am kernel[0]: in func createVirtualInterface ifRole = 1
    2/5/14 8:33:07.000 am kernel[0]: AirPort_Brcm4331_P2PInterface::init name <p2p0> role 1
    2/5/14 8:33:07.000 am kernel[0]: AirPort_Brcm4331_P2PInterface::init() <p2p> role 1
    2/5/14 8:33:07.000 am kernel[0]: Created virtif 0xffffff803932dc00 p2p0
    2/5/14 8:33:07.812 am configd[17]: network changed: DNS*
    2/5/14 8:33:19.050 am apsd[62]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    2/5/14 8:33:23.440 am networkd[102]: networkd.102 built Aug 24 2013 22:08:46
    2/5/14 8:33:24.805 am mds[39]: (Normal) FMW: FMW 0 0
    2/5/14 8:33:29.103 am apsd[62]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    2/5/14 8:33:35.862 am warmd[25]: [warmctl_evt_timer_bc_activation_timeout:287] BC activation bcstop timer fired!
    2/5/14 8:33:36.000 am kernel[0]: IOPPF: AppleIntelCPUPowerManagement mode
    2/5/14 8:33:36.000 am kernel[0]: [AGPM Controller] build GPUDict by Vendor10deDevice0fd5
    2/5/14 8:34:09.979 am _networkd[116]: /usr/libexec/ntpd-wrapper: scutil key State:/Network/Global/DNS not present after 30 seconds
    2/5/14 8:34:14.131 am _networkd[119]: Unable to resolve hostname(s)
    2/5/14 8:34:14.354 am ntpd[109]: proto: precision = 1.000 usec
    2/5/14 8:34:15.055 am WindowServer[84]: Server is starting up
    2/5/14 8:34:15.117 am WindowServer[84]: Session 256 retained (2 references)
    2/5/14 8:34:15.117 am WindowServer[84]: Session 256 released (1 references)
    2/5/14 8:34:15.127 am WindowServer[84]: Session 256 retained (2 references)
    2/5/14 8:34:15.128 am WindowServer[84]: init_page_flip: page flip mode is on
    2/5/14 8:34:15.610 am locationd[45]: NBB-Could not get UDID for stable refill timing, falling back on random
    2/5/14 8:34:15.612 am locationd[45]: could not create intermediate property list - Cannot parse a NULL or zero-length data
    2/5/14 8:34:15.612 am locationd[45]: could not deserialize property list from /var/db/locationd/clients.plist
    2/5/14 8:34:15.676 am WindowServer[84]: Found 51 modes for display 0x00000000 [27, 24]
    2/5/14 8:34:16.000 am kernel[0]: en1: 802.11d country code set to 'SG'.
    2/5/14 8:34:16.000 am kernel[0]: en1: Supported channels 1 2 3 4 5 6 7 8 9 10 11 12 13 36 40 44 48 52 56 60 64 100 104 108 112 116 120 124 128 132 136 140 149 153 157 161 165
    2/5/14 8:34:17.000 am kernel[0]: MacAuthEvent en1   Auth result for: 98:2c:be:74:e5:be  MAC AUTH succeeded
    2/5/14 8:34:17.000 am kernel[0]: wlEvent: en1 en1 Link UP virtIf = 0
    2/5/14 8:34:17.000 am kernel[0]: AirPort: Link Up on en1
    2/5/14 8:34:17.000 am kernel[0]: en1: BSSID changed to 98:2c:be:74:e5:be
    2/5/14 8:34:17.050 am WindowServer[84]: Found 1 modes for display 0x00000000 [1, 0]
    2/5/14 8:34:17.053 am WindowServer[84]: Found 1 modes for display 0x00000000 [1, 0]
    2/5/14 8:34:17.054 am WindowServer[84]: mux_initialize: Couldn't find any matches
    2/5/14 8:34:17.055 am WindowServer[84]: Found 51 modes for display 0x00000000 [27, 24]
    2/5/14 8:34:17.058 am WindowServer[84]: Found 1 modes for display 0x00000000 [1, 0]
    2/5/14 8:34:17.058 am WindowServer[84]: Found 1 modes for display 0x00000000 [1, 0]
    2/5/14 8:34:17.071 am locationd[45]: Location icon should now be in state 'Inactive'
    2/5/14 8:34:17.000 am kernel[0]: AirPort: RSN handshake complete on en1
    2/5/14 8:34:17.208 am WindowServer[84]: WSMachineUsesNewStyleMirroring: true
    2/5/14 8:34:17.208 am WindowServer[84]: Display 0x04280480: GL mask 0x1; bounds (0, 0)[1920 x 1080], 51 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a012, S/N 0, Unit 0, Rotation 0
    UUID 0x2838c3dda39478c14a5e57649bbc5643
    2/5/14 8:34:17.209 am WindowServer[84]: Display 0x003f003f: GL mask 0x8; bounds (0, 0)[3840 x 2160], 2 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:17.209 am WindowServer[84]: Display 0x003f003e: GL mask 0x4; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 2, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:17.209 am WindowServer[84]: Display 0x003f003d: GL mask 0x2; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 1, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:17.209 am WindowServer[84]: WSSetWindowTransform: Singular matrix
    2/5/14 8:34:17.209 am WindowServer[84]: WSSetWindowTransform: Singular matrix
    2/5/14 8:34:17.000 am kernel[0]: flow_divert_kctl_disconnect (0): disconnecting group 1
    2/5/14 8:34:19.342 am WindowServer[84]: Display 0x04280480: GL mask 0x1; bounds (0, 0)[1920 x 1080], 51 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a012, S/N 0, Unit 0, Rotation 0
    UUID 0x2838c3dda39478c14a5e57649bbc5643
    2/5/14 8:34:19.342 am WindowServer[84]: Display 0x003f003f: GL mask 0x8; bounds (2944, 0)[1 x 1], 2 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:19.342 am WindowServer[84]: Display 0x003f003e: GL mask 0x4; bounds (2945, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 2, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:19.342 am WindowServer[84]: Display 0x003f003d: GL mask 0x2; bounds (2946, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 1, Rotation 0
    UUID 0xffffffffffffffffffffffffffffffff
    2/5/14 8:34:19.343 am WindowServer[84]: CGXPerformInitialDisplayConfiguration
    2/5/14 8:34:19.343 am WindowServer[84]:   Display 0x04280480: Unit 0; Vendor 0x610 Model 0xa012 S/N 0 Dimensions 18.70 x 10.51; online enabled built-in, Bounds (0,0)[1920 x 1080], Rotation 0, Resolution 1
    2/5/14 8:34:19.343 am WindowServer[84]:   Display 0x003f003f: Unit 3; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (2944,0)[1 x 1], Rotation 0, Resolution 1
    2/5/14 8:34:19.343 am WindowServer[84]:   Display 0x003f003e: Unit 2; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (2945,0)[1 x 1], Rotation 0, Resolution 1
    2/5/14 8:34:19.343 am WindowServer[84]:   Display 0x003f003d: Unit 1; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (2946,0)[1 x 1], Rotation 0, Resolution 1
    2/5/14 8:34:31.835 am UserEventAgent[11]: Captive: [CNInfoNetworkActive:1655] en1: SSID 'Star-7789' making interface primary (protected network)
    2/5/14 8:34:31.835 am configd[17]: network changed: DNS* Proxy
    2/5/14 8:34:31.835 am UserEventAgent[11]: Captive: CNPluginHandler en1: Evaluating
    2/5/14 8:34:31.835 am UserEventAgent[11]: Captive: en1: Probing 'Star-7789'
    2/5/14 8:34:31.838 am configd[17]: network changed: v4(en1!:192.168.1.98) DNS+ Proxy+ SMB
    2/5/14 8:34:32.937 am UserEventAgent[11]: Captive: CNPluginHandler en1: Authenticated
    2/5/14 8:34:35.953 am configd[17]: setting hostname to
    2/5/14 8:34:51.522 am digest-service[129]: label: default
    2/5/14 8:34:51.522 am digest-service[129]:           dbname: od:/Local/Default
    2/5/14 8:34:51.522 am digest-service[129]:           mkey_file: /var/db/krb5kdc/m-key
    2/5/14 8:34:51.522 am digest-service[129]:           acl_file: /var/db/krb5kdc/kadmind.acl
    2/5/14 8:34:51.523 am digest-service[129]: digest-request: uid=0
    2/5/14 8:34:51.525 am digest-service[129]: digest-request: netr probe 0
    2/5/14 8:34:51.525 am digest-service[129]: digest-request: init request
    2/5/14 8:34:51.528 am digest-service[129]: digest-request: init return domain:    -IMAC server: -IMAC indomain was: <NULL>
    2/5/14 8:34:52.906 am WindowServer[84]: GLCompositor: GL renderer id 0x01022727, GL mask 0x0000000f, accelerator 0x0000449b, unit 0, caps QEX|MIPMAP, vram 512 MB
    2/5/14 8:34:52.940 am digest-service[129]: digest-request: uid=0
    2/5/14 8:34:52.940 am digest-service[129]: digest-request: init request
    2/5/14 8:34:52.943 am digest-service[129]: digest-request: init return domain: JohnS-IMAC server: JohnS-IMAC indomain was: <NULL>
    2/5/14 8:34:52.991 am WindowServer[84]: GLCompositor: GL renderer id 0x01022727, GL mask 0x0000000f, texture max 16384, viewport max {16384, 16384}, extensions FPRG|NPOT|GLSL|FLOAT
    2/5/14 8:34:52.991 am WindowServer[84]: GLCompositor enabled for tile size [256 x 256]
    2/5/14 8:34:52.991 am WindowServer[84]: CGXGLInitMipMap: mip map mode is on
    2/5/14 8:34:53.030 am WindowServer[84]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    2/5/14 8:34:53.031 am com.apple.launchd[1]: (com.apple.netbiosd[121]) Exited abnormally: Hangup: 1
    2/5/14 8:34:53.063 am loginwindow[43]: **DMPROXY** Found `/System/Library/CoreServices/DMProxy'.
    2/5/14 8:34:56.004 am WindowServer[84]: MPAccessSurfaceForDisplayDevice: Set up page flip mode on display 0x04280480 device: 0x7fee2af174f0  isBackBuffered: 1 numComp: 3 numDisp: 3
    2/5/14 8:34:56.004 am WindowServer[84]: _CGXGLDisplayContextForDisplayDevice: acquired display context (0x7fee2af174f0) - enabling OpenGL
    2/5/14 8:34:57.999 am com.apple.launchd[1]: (com.apple.netbiosd[135]) Exited abnormally: Hangup: 1
    2/5/14 8:34:57.999 am com.apple.launchd[1]: (com.apple.netbiosd) Throttling respawn: Will start in 6 seconds
    2/5/14 8:35:23.873 am WindowServer[84]: Display 0x04280480: Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    2/5/14 8:35:24.617 am WindowServer[84]: Display 0x04280480: Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    2/5/14 8:35:24.624 am WindowServer[84]: Display 0x04280480: Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    2/5/14 8:35:25.802 am launchctl[142]: com.apple.findmymacmessenger: Already loaded
    2/5/14 8:35:26.179 am airportd[64]: _doAutoJoin: Already associated to “Star-”. Bailing on auto-join.
    2/5/14 8:35:26.420 am com.apple.SecurityServer[14]: Session 100005 created
    2/5/14 8:35:26.438 am loginwindow[43]: Setting the initial value of the magsave brightness level 1
    2/5/14 8:35:27.177 am loginwindow[43]: Login Window Started Security Agent
    2/5/14 8:35:27.329 am UserEventAgent[144]: Failed to copy info dictionary for bundle /System/Library/UserEventPlugins/alfUIplugin.plugin
    2/5/14 8:35:27.697 am SecurityAgent[151]: This is the first run
    2/5/14 8:35:27.697 am SecurityAgent[151]: MacBuddy was run = 0
    2/5/14 8:35:32.787 am locationd[45]: locationd was started after an unclean shutdown
    2/5/14 8:35:59.142 am SecurityAgent[151]: User info context values set for
    2/5/14 8:36:17.705 am SecurityAgent[151]: Login Window login proceeding
    2/5/14 8:36:20.463 am loginwindow[43]: Login Window - Returned from Security Agent
    2/5/14 8:36:20.488 am loginwindow[43]: USER_PROCESS: 43 console
    2/5/14 8:36:20.544 am airportd[64]: _doAutoJoin: Already associated to “Star-7789”. Bailing on auto-join.
    2/5/14 8:36:20.000 am kernel[0]: AppleKeyStore:Sending lock change 0
    2/5/14 8:36:20.704 am com.apple.launchd.peruser.501[171]: Background: Aqua: Registering new GUI session.
    2/5/14 8:36:20.720 am com.apple.launchd.peruser.501[171]: (com.apple.EscrowSecurityAlert) Unknown key: seatbelt-profiles
    2/5/14 8:36:20.720 am com.apple.launchd.peruser.501[171]: (com.apple.ReportCrash) Falling back to default Mach exception handler. Could not find: com.apple.ReportCrash.Self
    2/5/14 8:36:20.723 am launchctl[173]: com.apple.pluginkit.pkd: Already loaded
    2/5/14 8:36:20.723 am launchctl[173]: com.apple.sbd: Already loaded
    2/5/14 8:36:20.730 am distnoted[175]: # distnote server agent  absolute time: 351.096632167   civil time: Fri May  2 08:36:20 2014   pid: 175 uid: 501  root: no
    2/5/14 8:36:21.191 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDRadeonX4000_AMDAccelDevice.
    2/5/14 8:36:21.191 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDRadeonX4000_AMDAccelSharedUserClient.
    2/5/14 8:36:21.191 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDSIVideoContext.
    2/5/14 8:36:21.191 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class Gen6DVDContext.
    2/5/14 8:36:21.191 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelDevice.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelSharedUserClient.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextMain.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextMedia.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextVEBox.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOBluetoothDeviceUserClient.
    2/5/14 8:36:21.192 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOHIDParamUserClient.
    2/5/14 8:36:21.193 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOSurfaceRootUserClient.
    2/5/14 8:36:21.193 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the mach service named com.apple.AirPlayXPCHelper.
    2/5/14 8:36:21.193 am com.apple.audio.DriverHelper[187]: The plug-in named AirPlay.driver requires extending the sandbox for the mach service named com.apple.blued.
    2/5/14 8:36:21.243 am com.apple.audio.DriverHelper[187]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the IOKit user-client class IOBluetoothDeviceUserClient.
    2/5/14 8:36:21.244 am com.apple.audio.DriverHelper[187]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the mach service named com.apple.blued.
    2/5/14 8:36:21.244 am com.apple.audio.DriverHelper[187]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the mach service named com.apple.bluetoothaudiod.
    2/5/14 8:36:21.278 am WindowServer[84]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    2/5/14 8:36:21.340 am WindowServer[84]: Display 0x04280480: Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    2/5/14 8:36:23.176 am UserEventAgent[174]: Failed to copy info dictionary for bundle /System/Library/UserEventPlugins/alfUIplugin.plugin
    2/5/14 8:36:23.391 am sharingd[202]: Starting Up...
    2/5/14 8:36:23.481 am xpcproxy[207]: assertion failed: 13C1021: xpcproxy + 3438 [D559FC96-E6B1-363A-B850-C7AC9734F210]: 0x2
    2/5/14 8:36:24.143 am WindowServer[84]: disable_update_timeout: UI updates were forcibly disabled by application "SystemUIServer" for over 1.00 seconds. Server has re-enabled them.
    2/5/14 8:36:24.771 am com.apple.iCloudHelper[207]: ApplePushService: Timed out making blocking call, failed to perform call via XPC connection to 'com.apple.apsd'
    2/5/14 8:36:28.783 am com.apple.iCloudHelper[207]: AOSKit WARN: APS timeout encountered (cxn initialization)
    2/5/14 8:36:28.783 am com.apple.iCloudHelper[207]: AOSKit WARN: Failed to get response from APSConnection's initialization method(s)
    2/5/14 8:36:29.021 am com.apple.iCloudHelper[207]: ApplePushService: Timed out making blocking call, failed to perform call via XPC connection to 'com.apple.apsd'
    2/5/14 8:36:30.083 am com.apple.iCloudHelper[207]: ApplePushService: Timed out making blocking call, failed to perform call via XPC connection to 'com.apple.apsd'
    2/5/14 8:36:38.144 am WindowServer[84]: disable_update_likely_unbalanced: UI updates still disabled by application "SystemUIServer" after 15.00 seconds (server forcibly re-enabled them after 1.00 seconds). Likely an unbalanced disableUpdate call.
    2/5/14 8:36:59.246 am com.apple.iCloudHelper[207]: ApplePushService: Connection timed out trying to communicate with apsd
    2/5/14 8:37:14.483 am com.apple.iCloudHelper[207]: ApplePushService: Connection timed out trying to communicate with apsd
    2/5/14 8:37:18.728 am com.apple.IconServicesAgent[213]: IconServicesAgent launched.
    2/5/14 8:37:20.971 am com.apple.launchd.peruser.501[171]: (com.brother.LOGINserver[229]) Job failed to exec(3). Setting up event to tell us when to try again: 2: No such file or directory
    2/5/14 8:37:20.971 am com.apple.launchd.peruser.501[171]: (com.brother.LOGINserver[229]) Job failed to exec(3) for weird reason: 2
    2/5/14 8:37:20.975 am com.apple.SecurityServer[14]: Session 100007 created
    2/5/14 8:37:21.162 am com.apple.SecurityServer[14]: Session 100008 created
    2/5/14 8:37:22.227 am WiFiKeychainProxy[215]: [NO client logger] <Nov 10 2013 18:30:13> WIFICLOUDSYNC WiFiCloudSyncEngineCreate: created...
    2/5/14 8:37:22.227 am WiFiKeychainProxy[215]: [NO client logger] <Nov 10 2013 18:30:13> WIFICLOUDSYNC WiFiCloudSyncEngineRegisterCallbacks: WiFiCloudSyncEngineCallbacks version - 0, bundle id - com.apple.wifi.WiFiKeychainProxy
    2/5/14 8:37:45.125 am com.apple.SecurityServer[14]: Session 100011 created
    2/5/14 8:37:47.000 am kernel[0]: CODE SIGNING: cs_invalid_page(0x1000): p=228[GoogleSoftwareUp] final status 0x0, allowing (remove VALID) page
    2/5/14 8:37:54.515 am accountsd[238]: assertion failed: 13C1021: liblaunch.dylib + 25164 [38D1AB2C-A476-385F-8EA8-7AB604CA1F89]: 0x25
    2/5/14 8:37:55.448 am apsd[210]: Unrecognized leaf certificate
    2/5/14 8:38:06.772 am WindowServer[84]: common_reenable_update: UI updates were finally reenabled by application "SystemUIServer" after 103.63 seconds (server forcibly re-enabled them after 1.00 seconds)
    2/5/14 8:38:08.154 am SystemUIServer[182]: void CGSUpdateManager::log() const: conn 0x8d2b: spurious update.
    2/5/14 8:38:13.536 am SystemUIServer[182]: Cannot find executable for CFBundle 0x7fb98ac35520 </System/Library/CoreServices/Menu Extras/Clock.menu> (not loaded)
    2/5/14 8:38:13.552 am SystemUIServer[182]: Cannot find executable for CFBundle 0x7fb98ac20800 </System/Library/CoreServices/Menu Extras/Volume.menu> (not loaded)
    2/5/14 8:38:19.690 am librariand[205]: [ERROR] [0.000s] default-qu framework_client.c:103 IPCSendMessageTimed() Could not send a message to ubd: Operation timed out
    2/5/14 8:38:19.690 am librariand[205]: [ERROR] [0.000s] default-qu framework_client.c:737 IPCSyncingEnabled() failed to contact ubd: -1
    2/5/14 8:38:34.789 am librariand[205]: [ERROR] [15.099s] default-qu framework_client.c:103 IPCSendMessageTimed() Could not send a message to ubd: Operation timed out
    2/5/14 8:38:34.789 am librariand[205]: [ERROR] [15.099s] default-qu framework_client.c:737 IPCSyncingEnabled() failed to contact ubd: -1
    2/5/14 8:39:11.229 am storeagent[241]: FCIsAppAllowedToLaunchExt [343] -- *** _FCMIGAppCanLaunch timed out. Returning false.
    2/5/14 8:39:12.674 am parentalcontrolsd[248]: StartObservingFSEvents [849:] -- *** StartObservingFSEvents started event stream
    2/5/14 8:39:13.288 am com.apple.time[174]: Interval maximum value is 946100000 seconds (specified value: 9223372036854775807).
    2/5/14 8:39:14.535 am com.apple.SecurityServer[14]: Session 100013 created
    2/5/14 8:39:39.278 am com.apple.iCloudHelper[207]: AOSKit ERROR: Config request failed, url=https://setup.icloud.com/configurations/init, requestHeaders=
        "Accept-Language" = "en-us";
        "X-Mme-Client-Info" = "<iMac13,1> <Mac OS X;10.9.2;13C1021> <com.apple.AOSKit/176>";
        "X-Mme-Country" = SG;
        "X-Mme-Nac-Version" = 11A457;
        "X-Mme-Timezone" = "GMT+8";
    error=Error Domain=kCFErrorDomainCFNetwork Code=-1001 "The request timed out." UserInfo=0x7ff801e07250 {NSErrorFailingURLStringKey=https://setup.icloud.com/configurations/init, NSLocalizedDescription=The request timed out., NSErrorFailingURLKey=https://setup.icloud.com/configurations/init}, httpStatusCode=-1, responseHeaders=
    (null)
    2/5/14 8:39:39.479 am sandboxd[239]: ([226]) assistantd(226) deny file-read-data /Library/Frameworks/TSLicense.framework/Versions/A/TSLicense
    2/5/14 8:39:40.927 am sandboxd[239]: ([120]) ntpd(120) deny file-read-data /private/var/run/resolv.conf
    2/5/14 8:39:41.729 am sandboxd[239]: ([120]) ntpd(120) deny file-read-data /private/var/run/resolv.conf
    2/5/14 8:40:36.480 am LKDCHelper[256]: Starting (uid=501)
    2/5/14 8:40:39.379 am com.apple.iCloudHelper[207]: AOSKit ERROR: Config request failed, url=https://setup.icloud.com/configurations/init, requestHeaders=
        "Accept-Language" = "en-us";
        "X-Mme-Client-Info" = "<iMac13,1> <Mac OS X;10.9.2;13C1021> <com.apple.AOSKit/176>";
        "X-Mme-Country" = SG;
        "X-Mme-Nac-Version" = 11A457;
        "X-Mme-Timezone" = "GMT+8";
    error=Error Domain=kCFErrorDomainCFNetwork Code=-1001 "The request timed out." UserInfo=0x7ff801e10320 {NSErrorFailingURLStringKey=https://setup.icloud.com/configurations/init, NSLocalizedDescription=The request timed out., NSErrorFailingURLKey=https://setup.icloud.com/configurations/init}, httpStatusCode=-1, responseHeaders=
    (null)
    2/5/14 8:40:39.410 am com.apple.iCloudHelper[207]: AOSKit ERROR: Setup request failed, appleID=1331111818, url=(null), requestHeaders=
    (null),
    error=Error Domain=AOSErrorDomain Code=1000 "The operation couldn’t be completed. (AOSErrorDomain error 1000.)" UserInfo=0x7ff801e25270 {HttpStatusCode=0, DialogInfo={
        DialogType = Unknown;
    }}, httpStatusCode=0, responseHeaders=
    (null),
    responseBody=
    (null)
    2/5/14 8:40:40.002 am com.apple.time[174]: Interval maximum value is 946100000 seconds (specified value: 9223372036854775807).
    2/5/14 8:40:40.262 am mds[39]: (Normal) Volume: volume:0x7faefc094000 ********** Bootstrapped Creating a default store:0 SpotLoc:(null) SpotVerLoc:(null) occlude:0 /Volumes/firmwaresyncd.GVtxu8
    2/5/14 8:40:53.113 am com.apple.dock.extra[250]: <NSXPCConnection: 0x7ff860f17f90>: received an undecodable message (no exported object to receive message). Dropping message.
    2/5/14 8:40:54.213 am secd[233]:  __EnsureFreshParameters_block_invoke_2 SOSCloudKeychainSynchronizeAndWait: The operation couldn’t be completed. (SyncedDefaults error 1025 - Remote error : No valid account for KVS)
    2/5/14 8:40:54.213 am secd[233]:  __talkWithKVS_block_invoke callback error: The operation couldn’t be completed. (SyncedDefaults error 1025 - Remote error : No valid account for KVS)
    2/5/14 8:40:54.372 am secd[233]:  CFPropertyListReadFromFile file file:///Users/Johndandekar/Library/Keychains/54F98C75-0DC3-5591-B434-1E7BF5D373 41/accountStatus.plist: The file “accountStatus.plist” couldn’t be opened because there is no such file.
    2/5/14 8:40:54.404 am secd[233]:  SecErrorGetOSStatus unknown error domain: com.apple.security.sos.error for error: The operation couldn’t be completed. (com.apple.security.sos.error error 2 - Public Key not available - failed to register before call)
    2/5/14 8:40:54.404 am secd[233]:  securityd_xpc_dictionary_handler WiFiKeychainProx[215] DeviceInCircle The operation couldn’t be completed. (com.apple.security.sos.error error 2 - Public Key not available - failed to register before call)
    2/5/14 8:41:06.693 am WindowServer[84]: disable_update_timeout: UI updates were forcibly disabled by application "Safari" for over 1.00 seconds. Server has re-enabled them.
    2/5/14 8:41:20.693 am WindowServer[84]: disable_update_likely_unbalanced: UI updates still disabled by application "Safari" after 15.00 seconds (server forcibly re-enabled them after 1.00 seconds). Likely an unbalanced disableUpdate call.
    2/5/14 8:42:06.685 am ntpd[109]: ntpd: time set +1.417472 s
    2/5/14 8:42:06.693 am com.apple.time[174]: Interval maximum value is 946100000 seconds (specified value: 9223372036854775807).
    2/5/14 8:42:12.250 am WindowServer[84]: common_reenable_update: UI updates were finally reenabled by application "Safari" after 65.14 seconds (server forcibly re-enabled them after 1.00 seconds)
    2/5/14 8:44:32.201 am com.apple.SecurityServer[14]: Session 100014 created
    2/5/14 8:44:32.441 am imagent[214]: [Warning] Creating empty account: PlaceholderAccount for service: IMDService (iMessage)
    2/5/14 8:44:32.441 am imagent[214]: [Warning] Creating empty account: PlaceholderAccount for service: IMDService (iMessage)
    2/5/14 8:44:32.605 am soagent[208]: No active accounts, killing soagent in 10 seconds
    2/5/14 8:44:32.606 am soagent[208]: No active accounts, killing soagent in 10 seconds
    2/5/14 8:44:42.605 am soagent[208]: Killing soagent.
    2/5/14 8:44:42.606 am NotificationCenter[200]: SOHelperCenter main connection interrupted
    2/5/14 8:44:42.606 am com.apple.dock.extra[250]: SOHelperCenter main connection interrupted
    2/5/14 8:44:42.607 am imagent[214]: [Warning] Denying xpc connection, task does not have entitlement: com.apple.private.icfcallserver  (soagent:208)
    2/5/14 8:44:42.607 am imagent[214]: [Warning] Denying xpc connection, task does not have entitlement: com.apple.private.icfcallserver  (soagent:208)
    2/5/14 8:45:39.211 am ntpd[109]: FREQ state ignoring -0.000168 s
    2/5/14 8:45:42.272 am mdworker32[259]: CGSConnectionByID: 0 is not a valid connection ID.
    2/5/14 8:45:42.272 am mdworker32[259]: CGSGetSpaceManagementMode: No connection with id 0x       0
    2/5/14 8:46:48.521 am ntpd[109]: FREQ state ignoring +0.000861 s
    2/5/14 8:47:41.646 am xpcd[192]: restored permissions (100600 -> 100700) on /Users/Johndandekar/Library/Containers/com.apple.Notes/Container.plist
    2/5/14 8:47:53.961 am com.apple.SecurityServer[14]: Session 100015 created
    2/5/14 8:47:59.173 am WindowServer[84]: disable_update_timeout: UI updates were forcibly disabled by application "Notes" for over 1.00 seconds. Server has re-enabled them.
    2/5/14 8:48:02.756 am WindowServer[84]: common_reenable_update: UI updates were finally reenabled by application "Notes" after 4.58 seconds (server forcibly re-enabled them after 1.00 seconds)
    2/5/14 8:48:04.999 am com.apple.SecurityServer[14]: Session 100016 created
    2/5/14 8:48:22.828 am ntpd[109]: FREQ state ignoring -0.000677 s
    2/5/14 8:49:20.692 am sandboxd[239]: ([315]) mdworker(315) deny file-read-data /Applications/Microsoft Office 2011/Office/Media/Clipart/Bullets.localized/.localized ()

  • IMac takes a long time to boot up after login

    I have a lab of about 23 computers, most all of them are running OS X 10.5.8. I have a couple running 10.6.7. DHCP server was down this morning. I rebooted the server, and still the computers won't let students login. I couldn't even login as root or admin accounts.
    Finally after about 30 minutes, students could login but it takes up to 10 minutes for them to get to the desktop. All are running wired, not wireless.
    These are iMac Intel based, Core duo desktops.
    DHCP server is running now, you can remote in as well as ping it. I also rebooted the Xserve.
    Any ideas on why they take so long to log in?
    As far as I know, no updates were pushed out on Friday or of last week some time.
    Any help would be great.
    Thank you!

    I suspect the HD has crashed. Locate the original disc 2 that shipped with the computer and run Apple's Hardware Test in extended mode 2-3 times. If it reports errors take it in for service, if you don't have the discs then take it in for service.

  • Why Safari takes much long time than other browser to open a page?

    I have used windows since start of my computing life... Now i have replaced my windows laptop to a macbook pro.. Everything is amazing.. except only one. Safari.. I experience it takes too long time for openning a webpage...even for a simple webpage...takes much more time for loading a flash... I dont know why Safari is taking too many times as compared to other web browsers...

    I found the same problem too after moving into mac earlier this week....
    i guess here's the solution https://discussions.apple.com/thread/5227588
    try uninstall/unable the third party extension

  • Primavera Contract managment take much time when open large PDF files.

    Dears,
    i have a big problem!
    i made integration between the PCM and sharepoint 2010 and make migration from the file system to sharepoint.
    the sharepoint database reach 355GB
    after that unfortunately, when i try to open large pdf attachment through PCM(Primavera Contract Managmnet) it take much time then whan was opened from the file server.
    i made everthing upgrde the RAM and processor but the problem still exists.
    please help!
    Edited by: 948060 on Sep 19, 2012 1:48 AM

    we start store attachment on 2007. all of these files are migrated to sharepoint 2010 now on the staging enviroment.
    but, we faced the performance issue as mentioned above.
    the large files (begin 5MB) take a lot of time to open through the PCM

  • After turning on, it takes much longer time to turn on. all the functions don't work.have to wait a long time

    After I turn on my macbook, it takes a much longer time to turn on. I can move around the arrow, but nothing works. I tried to click every app, no response. I have to wait a long time and then everything works. Did I do something wrong?
    Thanks

    Start Firefox in <u>[[Safe Mode]]</u> to check if one of the extensions is causing the problem (switch to the DEFAULT theme: Firefox (Tools) > Add-ons > Appearance/Themes).
    *Don't make any changes on the Safe mode start window.
    *https://support.mozilla.com/kb/Safe+Mode
    *https://support.mozilla.com/kb/Troubleshooting+extensions+and+themes

Maybe you are looking for