Salted hash

Hi,
I'm using an SQLAuthenticationProvider with SALTEDHASH as for the password style, and SHA-1 as the password algorithm. I'm able to create users and generate passwords. However, I must use an external website to manage user creations. That means I must be sure that the hashed passwords created by the website be equal to those one weblogic would interpret. I managed to obtain the correct generation when salted hash is not used. In this last case I didn't. Somewhere I read that the salt can be read from SerializedSystemIni.dat. I tried but without any results. I also tried to use method weblogic.security.internal.SerializedSystemIni.getSalt. I'm using the following code:
     public static void main(String[] args){
          try {
               MessageDigest sha = MessageDigest.getInstance("SHA1");
               sha.reset();                    
               sha.update(weblogic.security.internal.SerializedSystemIni.getSalt("D:\\WebLogic\\user_projects\\domains\\plsdomain\\security\\SerializedSystemIni.dat"));
               byte[] hash = sha.digest(data.getBytes());               
               System.out.print(Base64.encodeBase64String(hash));               
          } catch (NoSuchAlgorithmException e) {
               e.printStackTrace();
Apparently, the password being generated using the salted hash is more than the 160bit expected for SHA-1. I thought the salt is being added to it, but how. It is obvious that it wouldn't make sense to simply add the salt in every password since it is fixed and stored in an external file.
Any help would be very much appreciated.
Thankyou,
- Fra.
Edited by: user8995156 on 7-set-2010 2.20

You need to know the salt value to create the same hash value that Weblogic Creates.
The value of the salt cannot be disclosed due to security reasons.
You will have to look for some other alternative.
-Faisal

Similar Messages

  • Weblogic and salted hash generated externally

    We are migrating a legacy application to weblogic. The legacy application maintains the user id store in its internal database. The passwords are stored in salted hash format. We are planning to migrate the user id store to an oracle database and setup sql authenticator to do the authentication.
    From testing so far we are not able to authenticate the users using the salted hash passwords migrated from the legacy app. The legacy app admin says the salt is
    stored within the hash (??) .
    So the expected steps are:
    1. SQL authenticator read the salted hash from the password field in the table.
    2. SQL authenticator extracts the salt from the salted hash
    3. gets the plain text password from the login
    4. Generates a salted hash for the plain text password using the salt obtained in step (2)
    5. Compares the generated salted hash with the salted hash field in the database.
    Will the above be the correct list of steps executed? However from our testing weblogic fails to authenticate and works only if the user is created via admin console.
    So query is does weblogic use salts from password fields during password verification? or it always use its internal salt from 'SerializedSystemIni.data' - the domain's salt file in scenarios like this/ . ?
    Regards
    Atheek

    Actually the issue was the algorithm used by the external system was slightly different than what weblogic has implemented to parse the salted hash passswords. Had to decompile the classes , especially com\bea\security\utils\authentication\PasswordHashUtility.class to confirm this.
    SQL authenticator expects the salted hash to be generated in this format : {SSHA}+plain text salt+base64Encode(sha-1{salt+plain text password})
    Legacy app was generating the salted hash in the format : {SSHA}+base64Encode(sha-1{plain text password+salt}+plaintextSalt)
    Legacy is conforming to RFC 3112 section 3.2 http://tools.ietf.org/html/rfc3112. Not a clue what spec weblogic has implemented.
    Edited by: atheek1 on May 28, 2012 6:55 PM

  • Hash/Encryption with DBMS_CRYPTO difficulties

    I'm working on a project to migrate several legacy PHP and Oracle F&R applications to APEX. The biggest challenge we face right now is a matter of authentication. I understand APEX has several different methods for authentication, and this question doesn't apply to that.... what we are doing is basically a custom authentication.
    Right now, we have a single password management system. A user accesses that system to manage/change their password and the system will distribute the password out to the Windows, *nix, and various applications across the business. For our existing applications we basically receive a file that contains <user>:<password_hash> and this file gets loaded into our database. The problem that I've run into is the hash we receive is based on the archaic UNIX crypt(1). With our PHP applications, this isn't a big deal since the PHP crypt function still supports it. Basically crypt(password, salt)=hash. Once a user is authenticated, everything else is handled by the applications and the security features that they use. No big deal there. According to the people that manage the password server, it can be modified to output a hash/encrypted password in any method available to OpenSSL.
    What I'm trying to do, is create a PL/SQL procedure where I can pass the user password and have the procedure do the hash or encryption, match the value, and the return true/false. This will allow the package to be used by PHP, APEX, and some other stuff. Oracle does not support, in any method that I have found, the UNIX crypt(1). Looking at dbms_crypto, dbms_obfuscation_toolkit, and dbms_sqlhash it looks like the crypto package is the one to use. Here is where I've run into problems. I have been unable to generate a hash (using MAC) for, or encrypt (preferably AES256), a password that matches anything that I have output via OpenSSL. I know it's just a matter of getting the flags/parameters to line up between the two, but I'm afraid I'm out of my league here.
    Has anyone successfully done anything like this before? How?
    Worst case scenario, I could create a Java package in the database that shells out to the command line and runs OpenSSL and returns a hash. That is far more complicated and messy, so I'd rather avoid that route if at all possible.

    Hi,
    here is a HMACSHA1 (on 12c sha256 ?):
    CREATE OR REPLACE FUNCTION get_hash_val (
       p_in_val IN   VARCHAR2,
       p_key IN   VARCHAR2,
       p_algorithm IN   VARCHAR2 := 'SH1'
       RETURN VARCHAR2
    IS
       l_mac_val RAW (4000);
       l_key RAW (4000);
       l_mac_algo PLS_INTEGER;
       l_in RAW (4000);
       l_ret VARCHAR2 (4000);
    BEGIN
       l_mac_algo :=
          CASE p_algorithm
             WHEN 'SH1'
                THEN DBMS_CRYPTO.hmac_sh1
             WHEN 'MD5'
                THEN DBMS_CRYPTO.hash_md5
          END;
       l_in     :=            utl_i18n.string_to_raw (p_in_val, 'AL32UTF8');
       l_key  :=           utl_i18n.string_to_raw (p_key, 'AL32UTF8');
       l_mac_val  :=  DBMS_CRYPTO.mac ( src => l_in,  typ => l_mac_algo,  key=>l_key );
       l_ret   := RAWTOHEX (l_mac_val);
       RETURN l_ret;
    END get_hash_val;
    SELECT get_hash_val (  ‘01234567890123456789012345678901234567890’ , '01234567890')
    from dual;
    GET_HASH_VAL('01234567890123456789012345678901234567890','01234567890')
      4476F5A1D44B2BFEE843F6A8EC7400DA8913D5F1
    You can verify it with::  http://jssha.sourceforge.net/ 
    Hope it helps.

  • Security Breach on the Ubuntu Forums

    So apparently the ubuntu forums got hacked and someone made out with 2 million usernames, passwords and email adresses- ouch! Their site is currently down. Just posting as an FYI because their advice is to change your password if you have an account there and use it for multiple sites. 
    Ubuntu Forums is down for maintenance
    There has been a security breach on the Ubuntu Forums. The Canonical IS team is working hard as we speak to restore normal operations. This page will be updated regularly with progress reports.
    What we know
    Unfortunately the attackers have gotten every user's local username, password, and email address from the Ubuntu Forums database.
    The passwords are not stored in plain text, they are stored as salted hashes. However, if you were using the same password as your Ubuntu Forums one on another service (such as email), you are strongly encouraged to change the password on the other service ASAP.
    Ubuntu One, Launchpad and other Ubuntu/Canonical services are NOT affected by the breach.
    Progress report
    2013-07-20 2011UTC: Reports of defacement
    2013-07-20 2015UTC: Site taken down, this splash page put in place while investigation continues.
    If you're using Ubuntu and need technical support please see the following page for support:
    Finding Help.
    If you're looking for a place to discuss Ubuntu, in the meantime we encourage you to check out these sites:
    Last edited by w201 (2013-07-22 08:59:58)

    fukawi2 wrote:An unfortunate event for Canonical and the Ubuntu team. Glad to see the passwords were at least hashed, and with a salt.
    Unfortunately md5 hashes even with salt are easily crackable. On the other hand, it's just a forum account and since they alerted people early, anyone foolish enough to use the same password elseware can change the other password on time.
    One thing I disliked is that they haven't alerted people by email, at least I haven't got one yet. I got this information from various source, but many people (dormant accounts / less frequent users) are unlikely to know of it.
    Last edited by x33a (2013-07-22 17:15:35)

  • How do I get ldapsearch to stop automatically minimizing base-64 encoded results?

    It appears that: when executing an ldapsearch, any result that is base-64 encoded will automatically be decoded.
    In cases of the user password that is an encoded salted hash, it ends up removing the "SHA" from the password value. This is not desired. In other instances of ldapsearch such as linux or sun, there is a flag (-e) for example to actually cause the minimizing of a base-64 value because it defaults to not-minimize. With the ldapsearch on Mac, it's the other way around.
    So how do I get it to not minimize? Here is an example where the password is "base-64" minimized:
    Example 1.
    ldapsearch -b "o=mybase" -LLL -D cn=myAdminName -H "ldaps://ldapserver.anycompany.com" -w mypassword-x "cn=john.smith" userpassword
    dn: cn=john.smith,ou=here,o=mybase
    userPassword:: eolk3ru093jrkahflj90jAFDF3ruiodfanklgh
    Normally, you see the following result where the value of password is not altered:
    Example 2.
    ldapsearch ......<yada yada>
    dn: cn=john.smith,ou=here,o=mybase
    userPassword: {SSHA}IJatTTSrueiovCAPjWWrnmadjfkdfuegjda8923rv==
    In other iterations of ldapsearch such as on Sun (Oracle), you can execute the search with -e flag and it will produce the same result as example 1. (Not what I want).
    uname -a
    Darwin <REMOVED> 14.0.0 Darwin Kernel Version 14.0.0: Fri Sep 19 00:26:44 PDT 2014; root:xnu-2782.1.97~2/RELEASE_X86_64 x86_64

    QUOTIENT works with integers (or the integer part of a decimal numbers, so what you're seeing it the result of this arithmetic exercise (without the remainder):
    The remainder is provided by the MOD (short for modul0) function.
    Jerry is correct in describing the result you want as the "precise" answer rather than the "exact" answer. While both are the same for your example, the example is a special case.
    Had you spent only a penny more (or a penny less) there would be no "exact" answer to the question "amount" divided by seven. There would be a correct answer, precise to the nearest hundredth of a dollar.
    Regards,
    Barry

  • Creating a SAP password

    Hi,
    does a BAPI exists, that creates me the hash-value out of an entered plaintext password?
    Am I am right, that the plaintext password for SAP-users is stored in table USR02 as a hash-value (field passcode)?
    So my requirement is similar the requirement for user authentification, I want to create store the entered password in an transparent table and nobody should be able to recreate the plaintext out of the hash-value.
    Many thanks for your help,
    Christoph

    Hang on a moment here... this will only fool an enduser, and not all of them either...
    You should consider that anyone who can display your algorithm in the function can work out how to reverse the hash.
    Also, even if you hide it, someone who can obtain the hashes can call your function from their own program and try to reproduce it using a dictionary attack (sooner or later it will match some cleartext string).
    This is why SAP´s function is in the kernel, has a protected call stack (only to be called from known programs) and the hashes now have client specific attributes to them (code version F) and salted-hashes (code version H).
    Cheers,
    Julius

  • Encrpt / Decrypt  PHP/MySQL

    Can anyone tell me where I'm going wrong with is bit of code:
    It seems to encrypt the password effectively but fails to decrypt
    it, but I can't figure out why not.
    Cheers
    Dave
    // ****** ENCRYPT ****** //
    $iv_size = mcrypt_get_iv_size(MCRYPT_RIJNDAEL_256,
    MCRYPT_MODE_ECB);
    $iv = mcrypt_create_iv($iv_size, MCRYPT_RAND);
    $key = "topsecretkey";
    $text= isset($_POST["password"]);
    echo strlen($text) . "\n";
    $crypttext = mcrypt_encrypt(MCRYPT_RIJNDAEL_256, $key, $text,
    MCRYPT_MODE_ECB, $iv);
    // ****** DECRYPT (on another page) ****** //
    $iv_size = mcrypt_get_iv_size(MCRYPT_RIJNDAEL_256,
    MCRYPT_MODE_ECB);
    $iv = mcrypt_create_iv($iv_size, MCRYPT_RAND);
    $text=isset($row_rs_members['password']);
    $key = "topsecretkey";
    $decrypt = mcrypt_decrypt(MCRYPT_RIJNDAEL_256, $key, $text,
    MCRYPT_MODE_ECB, $iv);
    //****** OUTPUT ******//
    Password is: <?php echo $decrypt; ?>

    .oO(mac-in-the-mountains)
    >Can anyone tell me where I'm going wrong with is bit of
    code: It seems to
    >encrypt the password effectively but fails to decrypt it,
    but I can't figure
    >out why not.
    Can't help with this code, but: Passwords should never be
    stored in a
    decryptable way. The preferred and recommended way is a
    "salted hash".
    Micha

  • Sleep and current Time

    Hi, i'm involved in a routine to get uids based on time that looks like that..
            long timeInMillis;
            timeInMillis = System.currentTimeMillis();       // A
            try {
                Thread.sleep(30);
            } catch (InterruptedException e) {
                e.printStackTrace();
            timeInMillis = System.currentTimeMillis();      // B  the problem is that value of timeInMillis is the same on A and B...
    ( and no exception is thrown )

    It depends on what you are using it for.
    After all, an unique ID is just an ID that you haven't used before.
    The simplest way is to have a global integer "id=0".
    So, the first ID is 0. The next ID is 1. The next ID is 2...
    If your application is using a database, you should use
    the database's unique ID generation. All databases have it,
    since they need it for table keys and stuff.
    If your application is security, then you don't want to use 1, 2, 3...
    since people can guess what the IDs are. You will want to apply
    some salted hashing or other cryptographic transformations.
    It depends on what you are using it for.

  • Users.conf in AMS 5

    Hi everyone,
    I'm having issues logging in to the administration console in AMS 5 for Amazon Web Services. I've modified the ams.ini file adding the line "SERVER.ADMIN_PASSWORD = mypasswd" and in Users.xml file I've commented out the "Password" and used a previous configuration line found in FMS 4.0 versions:
    <!-- Salted Password Hash for this vhost administrator. -->
    <!-- <Password>Salted hash of the Password goes here</Password> -->
    <Password encrypt="false">${SERVER.ADMIN_PASSWORD}</Password>
    After restarting the admin service, i perform a ping test but i get the following error:
    <result><level>error</level><code>NetConnection.Connect.Rejected</code><description>Admin user requires valid username and password.</description><timestamp>Mon 27 Aug 2012 11:06:10 AM EDT</timestamp></result>
    I've tried hardcoding the password, but with no luck. I've done some research on the salted has password, but I couldn't find any starting point.
    If there's anyone out there who could help me on this, I will be much appreciated.
    Regards,
    Martin

    Looks like I had actually had to be in that directory, like you mentioned. 
    This did not work:
    /opt/adobe/ams/amsadmin –console –user admin
    But what you said did!

  • HT1455 10.8.4 returned from vacation and my finder stops resoponding frequently

    Why does my finder stop responding?
    How do I fix it?

    Yes still have the problem
    This was from the last episode, tried to get all identifying info out.
    2013-08-24 9:00:27.608 PM coreservicesd[68]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=153
    2013-08-24 9:00:27.609 PM NotificationCenter[188]: Connection interrupted.
    2013-08-24 9:00:31.795 PM GoogleSoftwareUpdateDaemon[962]: -[KeystoneDaemon main] GoogleSoftwareUpdateDaemon inactive, shutdown.
    2013-08-24 9:00:32.413 PM WDButtonManager[977]: self-sent 'ascr'/'gdut' event accepted in process that isn't scriptable
    2013-08-24 9:03:15.000 PM bootlog[0]: BOOT_TIME 1377392595 0
    2013-08-24 9:03:27.000 PM kernel[0]: Darwin Kernel Version 12.4.0: Wed May  1 17:57:12 PDT 2013; root:xnu-2050.24.15~1/RELEASE_X86_64
    2013-08-24 9:03:27.000 PM kernel[0]: vm_page_bootstrap: 929913 free pages and 110471 wired pages
    2013-08-24 9:03:27.000 PM kernel[0]: kext submap [0xffffff7f80737000 - 0xffffff8000000000], kernel text [0xffffff8000200000 - 0xffffff8000737000]
    2013-08-24 9:03:27.000 PM kernel[0]: zone leak detection enabled
    2013-08-24 9:03:27.000 PM kernel[0]: standard timeslicing quantum is 10000 us
    2013-08-24 9:03:27.000 PM kernel[0]: standard background quantum is 2500 us
    2013-08-24 9:03:27.000 PM kernel[0]: mig_table_max_displ = 74
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto kext started!
    2013-08-24 9:03:27.000 PM kernel[0]: Running kernel space in FIPS MODE
    2013-08-24 9:03:27.000 PM kernel[0]: Plist hmac value is    735d392b68241ef173d81097b1c8ce9ba283521626d1c973ac376838c466757d
    2013-08-24 9:03:27.000 PM kernel[0]: Computed hmac value is 735d392b68241ef173d81097b1c8ce9ba283521626d1c973ac376838c466757d
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS integrity POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS AES CBC POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS TDES CBC POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS SHA POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS HMAC POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS ECDSA POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS DRBG POST test passed!
    2013-08-24 9:03:27.000 PM kernel[0]: corecrypto.kext FIPS POST passed!
    2013-08-24 9:03:27.000 PM kernel[0]: AppleACPICPU: ProcessorId=0 LocalApicId=0 Enabled
    2013-08-24 9:03:27.000 PM kernel[0]: AppleACPICPU: ProcessorId=1 LocalApicId=1 Enabled
    2013-08-24 9:03:27.000 PM kernel[0]: calling mpo_policy_init for TMSafetyNet
    2013-08-24 9:03:27.000 PM kernel[0]: Security policy loaded: Safety net for Time Machine (TMSafetyNet)
    2013-08-24 9:03:27.000 PM kernel[0]: calling mpo_policy_init for Sandbox
    2013-08-24 9:03:27.000 PM kernel[0]: Security policy loaded: Seatbelt sandbox policy (Sandbox)
    2013-08-24 9:03:27.000 PM kernel[0]: calling mpo_policy_init for Quarantine
    2013-08-24 9:03:27.000 PM kernel[0]: Security policy loaded: Quarantine policy (Quarantine)
    2013-08-24 9:03:27.000 PM kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    2013-08-24 9:03:27.000 PM kernel[0]: The Regents of the University of California. All rights reserved.
    2013-08-24 9:03:27.000 PM kernel[0]: MAC Framework successfully initialized
    2013-08-24 9:03:27.000 PM kernel[0]: using 16384 buffer headers and 10240 cluster IO buffer headers
    2013-08-24 9:03:27.000 PM kernel[0]: IOAPIC: Version 0x20 Vectors 64:87
    2013-08-24 9:03:27.000 PM kernel[0]: ACPI: System State [S0 S3 S4 S5]
    2013-08-24 9:03:27.000 PM kernel[0]: PFM64 (36 cpu) 0xf80000000, 0x80000000
    2013-08-24 9:03:27.000 PM kernel[0]: [ PCI configuration begin ]
    2013-08-24 9:03:27.000 PM kernel[0]: console relocated to 0xf80010000
    2013-08-24 9:03:27.000 PM kernel[0]: PCI configuration changed (bridge=3 device=1 cardbus=0)
    2013-08-24 9:03:27.000 PM kernel[0]: [ PCI configuration end, bridges 7 devices 17 ]
    2013-08-24 9:03:27.000 PM kernel[0]: AppleIntelCPUPowerManagement: (built 18:11:47 May  1 2013) initialization complete
    2013-08-24 9:03:27.000 PM kernel[0]: mbinit: done [64 MB total pool size, (42/21) split]
    2013-08-24 9:03:27.000 PM kernel[0]: Pthread support ABORTS when sync kernel primitives misused
    2013-08-24 9:03:27.000 PM kernel[0]: rooting via boot-uuid from /chosen: C3CA7225-697D-3596-BC04-4BDC25066031
    2013-08-24 9:03:27.000 PM 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>
    2013-08-24 9:03:27.000 PM kernel[0]: com.apple.AppleFSCompressionTypeZlib kmod start
    2013-08-24 9:03:27.000 PM kernel[0]: com.apple.AppleFSCompressionTypeDataless kmod start
    2013-08-24 9:03:27.000 PM kernel[0]: com.apple.AppleFSCompressionTypeZlib load succeeded
    2013-08-24 9:03:27.000 PM kernel[0]: com.apple.AppleFSCompressionTypeDataless load succeeded
    2013-08-24 9:03:27.000 PM kernel[0]: AppleIntelCPUPowerManagementClient: ready
    2013-08-24 9:03:27.000 PM kernel[0]: FireWire (OHCI) Lucent ID 5901 built-in now active, GUID 002332fffe0d57fa; max speed s800.
    2013-08-24 9:03:27.000 PM kernel[0]: BTCOEXIST off
    2013-08-24 9:03:27.000 PM kernel[0]: wl0: Broadcom BCM4328 802.11 Wireless Controller
    2013-08-24 9:03:27.000 PM kernel[0]: 5.10.131.36
    2013-08-24 9:03:27.000 PM kernel[0]: Got boot device = IOService:/AppleACPIPlatformExpert/PCI0/AppleACPIPCI/SATA@1F,2/AppleICH8AHCI/PR T0@0/IOAHCIDevice@0/AppleAHCIDiskDriver/IOAHCIBlockStorageDevice/IOBlockStorageD river/Hitachi HDS721075KLA360 Media/IOGUIDPartitionScheme/Customer@2
    2013-08-24 9:03:27.000 PM kernel[0]: BSD root: disk0s2, major 1, minor 2
    2013-08-24 9:03:27.000 PM kernel[0]: jnl: unknown-dev: replay_journal: from: 3028992 to: 6748160 (joffset 0x1087d000)
    2013-08-24 9:03:27.000 PM kernel[0]: jnl: unknown-dev: journal replay done.
    2013-08-24 9:03:27.000 PM kernel[0]: Kernel is LP64
    2013-08-24 9:03:27.000 PM kernel[0]: hfs: Removed 10 orphaned / unlinked files and 35 directories
    2013-08-24 9:03:27.000 PM kernel[0]: AppleYukon2: Marvell Yukon Gigabit Adapter 88E8055 Singleport Copper SA
    2013-08-24 9:03:27.000 PM kernel[0]: AppleYukon2: RxRingSize <= 1024, TxRingSize 256, RX_MAX_LE 1024, TX_MAX_LE 768, ST_MAX_LE 3328
    2013-08-24 9:03:19.819 PM com.apple.launchd[1]: *** launchd[1] has started up. ***
    2013-08-24 9:03:19.819 PM com.apple.launchd[1]: *** Shutdown logging is enabled. ***
    2013-08-24 9:03:27.552 PM com.apple.launchd[1]: (com.apple.automountd) Unknown key for boolean: NSSupportsSuddenTermination
    2013-08-24 9:03:37.417 PM hidd[49]: Posting 'com.apple.iokit.hid.displayStatus' notifyState=1
    2013-08-24 9:03:37.424 PM hidd[49]: void __IOHIDLoadBundles(): Loaded 0 HID plugins
    2013-08-24 9:03:37.424 PM fseventsd[50]: event logs in /.fseventsd out of sync with volume.  destroying old logs. (113044 22 113165)
    2013-08-24 9:03:37.425 PM fseventsd[50]: log dir: /.fseventsd getting new uuid: 49A167B3-92BF-4366-8F91-59E105316021
    2013-08-24 9:03:37.000 PM kernel[0]: macx_swapon SUCCESS
    2013-08-24 9:03:38.000 PM kernel[0]: yukon: Ethernet address 00:23:32:96:13:27
    2013-08-24 9:03:38.000 PM kernel[0]: AirPort_Brcm43224: Ethernet address 00:23:12:1b:d2:b3
    2013-08-24 9:03:38.000 PM kernel[0]: IO80211Controller::dataLinkLayerAttachComplete():  adding AppleEFINVRAM notification
    2013-08-24 9:03:40.000 PM kernel[0]: Waiting for DSMOS...
    2013-08-24 9:03:40.444 PM kdc[47]: label: default
    2013-08-24 9:03:40.444 PM kdc[47]:           dbname: od:/Local/Default
    2013-08-24 9:03:40.444 PM kdc[47]:           mkey_file: /var/db/krb5kdc/m-key
    2013-08-24 9:03:40.444 PM kdc[47]:           acl_file: /var/db/krb5kdc/kadmind.acl
    2013-08-24 9:03:41.352 PM mDNSResponder[41]: mDNSResponder mDNSResponder-379.38.1 (Apr 25 2013 19:19:56) starting OSXVers 12
    2013-08-24 9:03:43.000 PM kernel[0]: [IOBluetoothHCIController][start] -- completed
    2013-08-24 9:03:43.000 PM kernel[0]: IOBluetoothUSBDFU::probe
    2013-08-24 9:03:43.000 PM kernel[0]: IOBluetoothUSBDFU::probe ProductID - 0x820F FirmwareVersion - 0x0201
    2013-08-24 9:03:43.000 PM kernel[0]: [BroadcomBluetoothHCIControllerUSBTransport][start] -- completed
    2013-08-24 9:03:43.000 PM kernel[0]: [IOBluetoothHCIController][staticBluetoothHCIControllerTransportShowsUp] -- Received Bluetooth Controller register service notification
    2013-08-24 9:03:43.000 PM kernel[0]: [IOBluetoothHCIController::setConfigState] calling registerService
    2013-08-24 9:03:43.000 PM kernel[0]: ** Device in slot: SLOT--1 **
    2013-08-24 9:03:43.000 PM kernel[0]: Previous Shutdown Cause: 3
    2013-08-24 9:03:43.000 PM kernel[0]: DSMOS has arrived
    2013-08-24 9:03:43.875 PM coreservicesd[68]: FindBestLSSession(), no match for inSessionID 0xfffffffffffffffc auditTokenInfo( uid=0 euid=0 auSessionID=100000 create=false
    2013-08-24 9:03:43.906 PM blued[58]: Read the UHE Info
    2013-08-24 9:03:43.907 PM blued[58]: Read version 2 info.  Number of devices:1
    2013-08-24 9:03:43.907 PM blued[58]: Class of device:     0x2580
    2013-08-24 9:03:43.907 PM blued[58]: Device name: ' ' length:23
    2013-08-24 9:03:43.907 PM blued[58]: Finished reading the HID data
    2013-08-24 9:03:43.908 PM blued[58]: Found a device with PID:0x030d VID:0x05ac
    2013-08-24 9:03:44.101 PM airportd[78]: _processDLILEvent: en1 attached (down)
    2013-08-24 9:03:44.000 PM kernel[0]: AirPort: Link Down on en1. Reason 1 (Unspecified).
    2013-08-24 9:03:44.000 PM kernel[0]: en1::IO80211Interface::postMessage bssid changed
    2013-08-24 9:03:44.196 PM configd[17]: network changed.
    2013-08-24 9:03:44.198 PM configd[17]: setting hostname to "  -iMac-2.local"
    2013-08-24 9:03:45.323 PM mds[40]: (Normal) FMW: FMW 0 0
    2013-08-24 9:03:46.931 PM com.apple.SecurityServer[16]: Session 100000 created
    2013-08-24 9:03:53.000 PM kernel[0]: fsevents: watcher SmartwareServerA (pid: 62) - Using /dev/fsevents directly is unsupported.  Migrate to FSEventsFramework
    2013-08-24 9:03:53.000 PM kernel[0]: [BNBMouseDevice::init][75.19] init is complete
    2013-08-24 9:03:53.000 PM kernel[0]: [BNBMouseDevice::handleStart][75.19] returning 1
    2013-08-24 9:03:53.000 PM kernel[0]: [AppleMultitouchHIDEventDriver::start] entered
    2013-08-24 9:03:54.056 PM com.apple.SecurityServer[16]: Entering service
    2013-08-24 9:03:54.156 PM appleeventsd[55]: main: Starting up
    2013-08-24 9:03:54.261 PM mDNSResponder[41]: D2D_IPC: Loaded
    2013-08-24 9:03:54.261 PM mDNSResponder[41]: D2DInitialize succeeded
    2013-08-24 9:03:54.266 PM mDNSResponder[41]: Adding registration domain 1010781033.members.btmm.icloud.com.
    2013-08-24 9:03:54.000 PM kernel[0]: [AppleMultitouchDevice::start] entered
    2013-08-24 9:03:54.284 PM configd[17]: network changed: DNS*
    2013-08-24 9:03:54.287 PM configd[17]: network changed: DNS*
    2013-08-24 9:03:54.307 PM kdc[47]: PKINIT: failed to find a signing certifiate with a public key
    2013-08-24 9:03:54.540 PM com.apple.usbmuxd[29]: usbmuxd-296.4 on Dec 21 2012 at 16:11:14, running 64 bit
    2013-08-24 9:03:54.573 PM UserEventAgent[11]: Captive: [HandleNetworkInformationChanged:2435] nwi_state_copy returned NULL
    2013-08-24 9:03:54.680 PM kdc[47]: KDC started
    2013-08-24 9:03:54.790 PM loginwindow[44]: Login Window Application Started
    2013-08-24 9:03:54.977 PM locationd[45]: NOTICE,Location icon should now be in state 0
    2013-08-24 9:03:55.050 PM WindowServer[96]: Server is starting up
    2013-08-24 9:03:55.067 PM WindowServer[96]: Session 256 retained (2 references)
    2013-08-24 9:03:55.067 PM WindowServer[96]: Session 256 released (1 references)
    2013-08-24 9:03:55.070 PM systemkeychain[70]: done file: /var/run/systemkeychaincheck.done
    2013-08-24 9:03:55.153 PM awacsd[59]: Starting awacsd connectivity-78.3 (Apr 25 2013 19:22:44)
    2013-08-24 9:03:55.199 PM digest-service[101]: label: default
    2013-08-24 9:03:55.200 PM digest-service[101]:           dbname: od:/Local/Default
    2013-08-24 9:03:55.200 PM digest-service[101]:           mkey_file: /var/db/krb5kdc/m-key
    2013-08-24 9:03:55.200 PM digest-service[101]:           acl_file: /var/db/krb5kdc/kadmind.acl
    2013-08-24 9:03:55.203 PM digest-service[101]: digest-request: uid=0
    2013-08-24 9:03:55.271 PM rpcsvchost[107]: sandbox_init: com.apple.msrpc.netlogon.sb succeeded
    2013-08-24 9:03:55.286 PM digest-service[101]: digest-request: init request
    2013-08-24 9:03:55.293 PM digest-service[101]: digest-request: init return domain: BUILTIN server:
    2013-08-24 9:03:55.341 PM WindowServer[96]: Session 256 retained (2 references)
    2013-08-24 9:03:55.353 PM WindowServer[96]: init_page_flip: page flip mode is on
    2013-08-24 9:03:55.393 PM awacsd[59]: ConduitMultiClientPlus: Could not get encoded salted hashed password
    2013-08-24 9:03:55.435 PM awacsd[59]: Configuring lazy AWACS client: 1010781033.p02.members.btmm.icloud.com.
    2013-08-24 9:03:55.444 PM netbiosd[79]: Unable to start NetBIOS name service:
    2013-08-24 9:03:55.575 PM apsd[61]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    2013-08-24 9:03:55.576 PM apsd[61]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    2013-08-24 9:03:56.000 PM kernel[0]: en1: 802.11d country code set to 'CA'.
    2013-08-24 9:03:56.000 PM kernel[0]: en1: Supported channels 1 2 3 4 5 6 7 8 9 10 11 36 40 44 48 52 56 60 64 100 104 108 112 116 132 136 140 149 153 157 161 165
    2013-08-24 9:03:57.368 PM WindowServer[96]: mux_initialize: Couldn't find any matches
    2013-08-24 9:03:57.385 PM WindowServer[96]: GLCompositor enabled for tile size [256 x 256]
    2013-08-24 9:03:57.385 PM WindowServer[96]: CGXGLInitMipMap: mip map mode is on
    2013-08-24 9:03:57.424 PM WindowServer[96]: WSMachineUsesNewStyleMirroring: false
    2013-08-24 9:03:57.425 PM WindowServer[96]: Display 0x04271ac0: GL mask 0x1; bounds (0, 0)[1680 x 1050], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model 9c6b, S/N 0, Unit 0, Rotation 0
    UUID 0x0000061000009c6b0000000004271ac0
    2013-08-24 9:03:57.425 PM WindowServer[96]: 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 0xffffffffffffffffffffffff003f003d
    2013-08-24 9:03:57.433 PM WindowServer[96]: Created shield window 0x5 for display 0x04271ac0
    2013-08-24 9:03:57.433 PM WindowServer[96]: Created shield window 0x6 for display 0x003f003d
    2013-08-24 9:03:57.436 PM WindowServer[96]: Display 0x04271ac0: GL mask 0x1; bounds (0, 0)[1680 x 1050], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model 9c6b, S/N 0, Unit 0, Rotation 0
    UUID 0x0000061000009c6b0000000004271ac0
    2013-08-24 9:03:57.436 PM WindowServer[96]: Display 0x003f003d: GL mask 0x2; bounds (2704, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 1, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003d
    2013-08-24 9:03:57.437 PM WindowServer[96]: CGXPerformInitialDisplayConfiguration
    2013-08-24 9:03:57.437 PM WindowServer[96]:   Display 0x04271ac0: MappedDisplay Unit 0; Vendor 0x610 Model 0x9c6b S/N 0 Dimensions 17.05 x 10.63; online enabled built-in, Bounds (0,0)[1680 x 1050], Rotation 0, Resolution 1
    2013-08-24 9:03:57.437 PM WindowServer[96]:   Display 0x003f003d: MappedDisplay Unit 1; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (2704,0)[1 x 1], Rotation 0, Resolution 1
    2013-08-24 9:03:57.472 PM WindowServer[96]: GLCompositor: GL renderer id 0x01021a02, GL mask 0x00000003, accelerator 0x00003a73, unit 0, caps QEX|QGL|MIPMAP, vram 256 MB
    2013-08-24 9:03:57.472 PM WindowServer[96]: GLCompositor: GL renderer id 0x01021a02, GL mask 0x00000003, texture units 8, texture max 8192, viewport max {8192, 8192}, extensions FPRG|NPOT|GLSL|FLOAT
    2013-08-24 9:03:57.476 PM loginwindow[44]: **DMPROXY** Found `/System/Library/CoreServices/DMProxy'.
    2013-08-24 9:03:57.878 PM WindowServer[96]: Created shield window 0x7 for display 0x04271ac0
    2013-08-24 9:03:57.878 PM WindowServer[96]: Display 0x04271ac0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferTable (256, 3)
    2013-08-24 9:03:57.968 PM launchctl[119]: com.apple.findmymacmessenger: Already loaded
    2013-08-24 9:03:58.045 PM com.apple.SecurityServer[16]: Session 100003 created
    2013-08-24 9:03:58.165 PM loginwindow[44]: Login Window Started Security Agent
    2013-08-24 9:03:58.442 PM SecurityAgent[127]: This is the first run
    2013-08-24 9:03:58.443 PM SecurityAgent[127]: MacBuddy was run = 0
    2013-08-24 9:03:58.502 PM coreaudiod[128]: Enabled automatic stack shots because audio IO is inactive
    2013-08-24 9:03:59.435 PM WindowServer[96]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    2013-08-24 9:03:59.489 PM WindowServer[96]: Display 0x04271ac0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferTable (256, 3)
    2013-08-24 9:03:59.528 PM WindowServer[96]: Display 0x04271ac0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferTable (256, 3)
    2013-08-24 9:04:00.498 PM UserEventAgent[120]: cannot find useragent 1102
    2013-08-24 9:04:00.511 PM locationd[138]: NOTICE,Location icon should now be in state 0
    2013-08-24 9:04:06.900 PM SecurityAgent[127]: User info context values set for
    2013-08-24 9:04:08.017 PM authorizationhost[139]: Failed to authenticate user < > (error: 9).
    2013-08-24 9:04:09.303 PM warmd[28]: [___bootcachectl_filter_out_sharedio_from_history_block_invoke_0:2321] Unable to open i386 shared cache: 2 No such file or directory
    2013-08-24 9:04:11.804 PM SecurityAgent[127]: User info context values set for
    2013-08-24 9:04:12.304 PM SecurityAgent[127]: Login Window login proceeding
    2013-08-24 9:04:12.766 PM loginwindow[44]: Login Window - Returned from Security Agent
    2013-08-24 9:04:12.797 PM loginwindow[44]: ERROR | ScreensharingLoginNotification | Failed sending message to screen sharing GetScreensharingPort, err: 1102
    2013-08-24 9:04:12.833 PM loginwindow[44]: USER_PROCESS: 44 console
    2013-08-24 9:04:13.023 PM com.apple.launchd.peruser.501[140]: (com.apple.gamed) Ignored this key: UserName
    2013-08-24 9:04:13.023 PM com.apple.launchd.peruser.501[140]: (com.apple.gamed) Ignored this key: GroupName
    2013-08-24 9:04:13.024 PM com.apple.launchd.peruser.501[140]: (com.apple.ReportCrash) Falling back to default Mach exception handler. Could not find: com.apple.ReportCrash.Self
    2013-08-24 9:04:13.030 PM loginwindow[44]: Connection with distnoted server was invalidated
    2013-08-24 9:04:13.119 PM distnoted[145]: # distnote server agent  absolute time: 58.494680158   civil time: Sat Aug 24 21:04:13 2013   pid: 145 uid: 501  root: no
    2013-08-24 9:04:13.455 PM WindowServer[96]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    2013-08-24 9:04:13.748 PM blued[58]: kBTXPCUpdateUserPreferences gConsoleUserUID = 501
    2013-08-24 9:04:13.817 PM WDButtonManager[153]: self-sent 'ascr'/'gdut' event accepted in process that isn't scriptable
    2013-08-24 9:04:13.830 PM WindowServer[96]: Display 0x04271ac0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferTable (256, 3)
    2013-08-24 9:04:14.498 PM locationd[159]: NOTICE,Location icon should now be in state 0
    2013-08-24 9:04:15.200 PM com.apple.SecurityServer[16]: Session 100005 created
    2013-08-24 9:04:20.410 PM talagent[158]: _LSSetApplicationInformationItem(kLSDefaultSessionID, asn, _kLSApplicationIsHiddenKey, hidden ? kCFBooleanTrue : kCFBooleanFalse, NULL) produced OSStatus -50 on line 623 in TCApplication.m
    2013-08-24 9:04:20.417 PM talagent[158]: _LSSetApplicationInformationItem(kLSDefaultSessionID, asn, TAL_kLSIsProxiedForTALKey, kCFBooleanTrue, NULL) produced OSStatus -50 on line 626 in TCApplication.m
    2013-08-24 9:04:20.617 PM com.apple.launchd.peruser.501[140]: (com.apple.afpstat-qfa[187]) Job failed to exec(3). Setting up event to tell us when to try again: 2: No such file or directory
    2013-08-24 9:04:20.617 PM com.apple.launchd.peruser.501[140]: (com.apple.afpstat-qfa[187]) Job failed to exec(3) for weird reason: 2
    2013-08-24 9:04:20.000 PM kernel[0]: CODE SIGNING: cs_invalid_page(0x1000): p=188[GoogleSoftwareUp] clearing CS_VALID
    2013-08-24 9:04:21.215 PM loginwindow[44]: Login items - LSOpenApplication returned error -10665, url=/Applications/Palm/Transport Monitor
    2013-08-24 9:04:21.215 PM loginwindow[44]: Unable to lauch startup item: (null)
    2013-08-24 9:04:21.216 PM loginwindow[44]: Login items - LSOpenApplication returned error -10665, url=/Applications/WD Backup.app/Contents/Resources/WDBackupMonitor.app
    2013-08-24 9:04:21.216 PM loginwindow[44]: Unable to lauch startup item: (null)
    2013-08-24 9:04:21.890 PM com.apple.launchd.peruser.501[140]: (com.apple.mrt.uiagent[178]) Exited with code: 255
    2013-08-24 9:04:21.989 PM WindowServer[96]: CGXDisableUpdate: UI updates were forcibly disabled by application "SystemUIServer" for over 1.00 seconds. Server has re-enabled them.
    2013-08-24 9:04:22.231 PM Adobe Reader Updater Helper[190]: Adobe Reader Updater encountered errorCode 260
    2013-08-24 9:04:22.308 PM Adobe Reader Updater Helper[190]: Adobe Reader Updater encountered errorCode 1001
    2013-08-24 9:04:22.430 PM NetworkBrowserAgent[207]: Starting NetworkBrowserAgent
    2013-08-24 9:04:22.484 PM apsd[167]: Unable to bootstrap_lookup connection port for 'com.apple.ubd.system-push': Unknown service name
    2013-08-24 9:04:22.716 PM GoogleSoftwareUpdateDaemon[209]: -[KeystoneDaemon logServiceState] GoogleSoftwareUpdate daemon (1.1.0.3659) vending:
              com.google.Keystone.Daemon.UpdateEngine: 1 connection(s)
              com.google.Keystone.Daemon.Administration: 0 connection(s)
    2013-08-24 9:04:22.718 PM GoogleSoftwareUpdateDaemon[209]: -[KeystoneDaemon logServiceState] GoogleSoftwareUpdate daemon (1.1.0.3659) vending:
              com.google.Keystone.Daemon.UpdateEngine: 1 connection(s)
              com.google.Keystone.Daemon.Administration: 1 connection(s)
    2013-08-24 9:04:22.724 PM GoogleSoftwareUpdateDaemon[209]: -[KSDaemonAdministration(PrivateMethods) ticketsAllowUninstallWithError:] KSDaemonAdministration system Keystone will not uninstall with active tickets.
    2013-08-24 9:04:22.725 PM GoogleSoftwareUpdateDaemon[209]: -[KeystoneDaemon logServiceState] GoogleSoftwareUpdate daemon (1.1.0.3659) vending:
              com.google.Keystone.Daemon.UpdateEngine: 1 connection(s)
              com.google.Keystone.Daemon.Administration: 0 connection(s)
    2013-08-24 9:04:22.736 PM GoogleSoftwareUpdateDaemon[209]: -[KeystoneDaemon logServiceState] GoogleSoftwareUpdate daemon (1.1.0.3659) vending:
              com.google.Keystone.Daemon.UpdateEngine: 2 connection(s)
              com.google.Keystone.Daemon.Administration: 0 connection(s)
    2013-08-24 9:04:22.840 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateEngine updateProductID:] KSUpdateEngine updating product ID: "com.google.Keystone"
    2013-08-24 9:04:22.854 PM GoogleSoftwareUpdateDaemon[209]: -[KSCheckAction performAction] KSCheckAction checking 1 ticket(s).
    2013-08-24 9:04:22.909 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateCheckAction performAction] KSUpdateCheckAction starting update check for ticket(s): {(
              <KSTicket:0x5d98a10
                        productID=com.google.Keystone
                        version=1.1.0.3659
                        xc=<KSPathExistenceChecker:0x5d9ab20 path=/Library/Google/GoogleSoftwareUpdate/GoogleSoftwareUpdate.bundle/>
                        serverType=Omaha
                        url=https://tools.google.com/service/update2
                        creationDate=2010-06-26 15:36:58
              >
    Using server: <KSOmahaServer:0x697ed30
              engine=<KSDaemonUpdateEngine:0x5d8f0f0>
              params={
                        EngineVersion = "1.1.0.3659";
                        ActivesInfo = {
                                  "com.google.Keystone" = {
                                            LastActivePingDate = 2013-08-23 07:00:00 +0000;
                                            LastActiveDate = 2013-08-25 01:04:22 +0000;
                                            LastRollCallPingDate = 2013-08-23 07:00:00 +0000;
                                  "com.google.macphotouploader" = {
                                            LastRollCallPingDate = 2013-08-23 07:00:00 +0000;
                        UserInitiated = 0;
                        IsSystem = 1;
                        OmahaOSVersion = "10.8.4_i486";
                        Identity = KeystoneDaemon;
                        AllowedSubdomains = (
                                  ".omaha.sandbox.google.com",
                                  ".tools.google.com",
                                  ".www.google.com",
                                  ".corp.google.com"
    2013-08-24 9:04:22.926 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateCheckAction performAction] KSUpdateCheckAction running KSServerUpdateRequest: <KSOmahaServerUpdateRequest:0x69866f0
              server=<KSOmahaServer:0x697ed30>
              url="https://tools.google.com/service/update2"
              runningFetchers=0
              tickets=1
              activeTickets=1
              rollCallTickets=1
              body=
                        <?xml version="1.0" encoding="UTF-8" standalone="yes"?>
                        <o:gupdate xmlns:o="http://www.google.com/update2/request" protocol="2.0" version="KeystoneDaemon-1.1.0.3659" ismachine="1">
                            <o:os platform="mac" version="MacOSX" sp="10.8.4_i486"></o:os>
                            <o:app appid="com.google.Keystone" version="1.1.0.3659" lang="en-us" installage="1155" brand="GGLG">
                                <o:ping r="1" a="1"></o:ping>
                                <o:updatecheck></o:updatecheck>
                            </o:app>
                        </o:gupdate>
    2013-08-24 9:04:23.081 PM WindowServer[96]: reenable_update_for_connection: UI updates were finally reenabled by application "SystemUIServer" after 2.09 seconds (server forcibly re-enabled them after 1.00 seconds)
    2013-08-24 9:04:26.581 PM _networkd[214]: /usr/libexec/ntpd-wrapper: scutil key State:/Network/Global/DNS not present after 30 seconds
    2013-08-24 9:04:29.922 PM _networkd[220]: Unable to resolve hostname(s)
    2013-08-24 9:04:30.274 PM GoogleSoftwareUpdateDaemon[209]: -[KSOutOfProcessFetcher(PrivateMethods) helperDidTerminate:] The Internet connection appears to be offline. [NSURLErrorDomain:-1009]
    2013-08-24 9:04:30.275 PM GoogleSoftwareUpdateDaemon[209]: -[KSServerUpdateRequest(PrivateMethods) fetcher:failedWithError:] KSServerUpdateRequest fetch failed. (productIDs: com.google.Keystone) [com.google.UpdateEngine.CoreErrorDomain:702 - 'https://tools.google.com/service/update2'] (The Internet connection appears to be offline. [NSURLErrorDomain:-1009])
    2013-08-24 9:04:30.278 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateCheckAction(PrivateMethods) finishAction] KSUpdateCheckAction found updates: {( )}
    2013-08-24 9:04:30.901 PM GoogleSoftwareUpdateDaemon[209]: -[KSPrefetchAction performAction] KSPrefetchAction no updates to prefetch.
    2013-08-24 9:04:30.903 PM GoogleSoftwareUpdateDaemon[209]: -[KSMultiUpdateAction performAction] KSSilentUpdateAction had no updates to apply.
    2013-08-24 9:04:30.904 PM GoogleSoftwareUpdateDaemon[209]: -[KSMultiUpdateAction performAction] KSPromptAction had no updates to apply.
    2013-08-24 9:04:30.996 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateEngine(PrivateMethods) updateFinish] KSUpdateEngine update processing complete.
    2013-08-24 9:04:31.006 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateEngine updateAllProducts] KSUpdateEngine updating all installed products.
    2013-08-24 9:04:31.011 PM GoogleSoftwareUpdateDaemon[209]: -[KSCheckAction performAction] KSCheckAction checking 2 ticket(s).
    2013-08-24 9:04:31.107 PM ntpd[98]: proto: precision = 1.000 usec
    2013-08-24 9:04:31.514 PM GoogleSoftwareUpdateDaemon[209]: -[KSUpdateCheckAction performAc

  • Time machine deleting backups unnecessarily

    My imac is backed up via TM to a locally connected USB disk; it's 2tb in size and has 1.22tb available.
    Recently I restored some files from an october backup and have just tried to locate other files backed up at the same time. But Time machine is showing my oldest backups as originating in mid-November. Why has it deleted earlier backups when there is so much space available - I'm only backing up one hd to this set and it only contains 879gb of data? Can I find them or are they gone forever? is there some setting somewhere that is limiting my backups to only one month?

    Thanks Linc
    Here is the log from the last TM backup to the first, with roughly 9 hours shutdown.
    I don't know if there is anything relevan there - analysing (or even understanding) this is not an expertise that I have. if you can make anything of it I'd be garteful. Don't worry if you'd rather pass - its water under the bridge anyway but I'd just like to know what happened.
    I've started another backup using retrospect. It served me well for twenty years before ™ appeared, but it's by no means as straightforward but you're right, I should have two backups.
    Roger
    03/12/2012 23:16:59.645 com.apple.backupd[15926]: Starting automatic backup
    03/12/2012 23:16:59.657 com.apple.backupd[15926]: Backing up to: /Volumes/New iMac Backups/Backups.backupdb
    03/12/2012 23:16:59.972 com.apple.backupd[15926]: Using file event preflight for Macintosh HD
    03/12/2012 23:16:59.983 com.apple.backupd[15926]: Will copy (41.2 MB) from Macintosh HD
    03/12/2012 23:16:59.984 com.apple.backupd[15926]: Found 64 files (41.2 MB) needing backup
    03/12/2012 23:16:59.999 com.apple.backupd[15926]: 2.49 GB required (including padding), 307.08 GB available
    03/12/2012 23:17:05.810 com.apple.backupd[15926]: Copied 2519 files (41.2 MB) from volume Macintosh HD.
    03/12/2012 23:17:05.819 com.apple.backupd[15926]: Using file event preflight for Macintosh HD
    03/12/2012 23:17:05.820 com.apple.backupd[15926]: Will copy (Zero KB) from Macintosh HD
    03/12/2012 23:17:05.821 com.apple.backupd[15926]: Found 7 files (Zero KB) needing backup
    03/12/2012 23:17:05.821 com.apple.backupd[15926]: 2.44 GB required (including padding), 307.03 GB available
    03/12/2012 23:17:06.784 com.apple.backupd[15926]: Copied 271 files (102 bytes) from volume Macintosh HD.
    03/12/2012 23:17:06.875 com.apple.backupd[15926]: Created new backup: 2012-12-03-231706
    03/12/2012 23:17:06.946 com.apple.backupd[15926]: Starting post-backup thinning
    03/12/2012 23:17:08.067 com.apple.backupd[15926]: Deleted /Volumes/New iMac Backups/Backups.backupdb/Roger’s iMac/2012-12-02-221722 (10.7 MB)
    03/12/2012 23:17:08.067 com.apple.backupd[15926]: Post-back up thinning complete: 1 expired backups removed
    03/12/2012 23:17:08.145 com.apple.backupd[15926]: Backup completed successfully.
    03/12/2012 23:19:43.389 mdworker[15937]: Unable to talk to lsboxd
    03/12/2012 23:19:43.567 sandboxd[15950]: ([15937]) mdworker(15937) deny mach-lookup com.apple.ls.boxd
    03/12/2012 23:19:43.000 kernel[0]: Sandbox: sandboxd(15950) deny mach-lookup com.apple.coresymbolicationd
    03/12/2012 23:23:44.437 mdworker[15967]: Unable to talk to lsboxd
    03/12/2012 23:23:44.000 kernel[0]: Sandbox: sandboxd(15981) deny mach-lookup com.apple.coresymbolicationd
    03/12/2012 23:23:44.689 sandboxd[15981]: ([15967]) mdworker(15967) deny mach-lookup com.apple.ls.boxd
    03/12/2012 23:27:46.616 mdworker[16012]: Unable to talk to lsboxd
    03/12/2012 23:27:46.665 sandboxd[16013]: ([16012]) mdworker(16012) deny mach-lookup com.apple.ls.boxd
    03/12/2012 23:27:46.000 kernel[0]: Sandbox: sandboxd(16013) deny mach-lookup com.apple.coresymbolicationd
    03/12/2012 23:30:00.003 com.apple.launchd.peruser.502[359]: (com.apple.PackageKit.InstallStatus) Throttling respawn: Will start in 9 seconds
    03/12/2012 23:31:48.212 mdworker[16040]: Unable to talk to lsboxd
    03/12/2012 23:31:48.260 sandboxd[16041]: ([16040]) mdworker(16040) deny mach-lookup com.apple.ls.boxd
    03/12/2012 23:31:48.000 kernel[0]: Sandbox: sandboxd(16041) deny mach-lookup com.apple.coresymbolicationd
    03/12/2012 23:38:50.607 mdworker[16090]: Unable to talk to lsboxd
    03/12/2012 23:38:50.816 sandboxd[16104]: ([16090]) mdworker(16090) deny mach-lookup com.apple.ls.boxd
    03/12/2012 23:38:51.000 kernel[0]: Sandbox: sandboxd(16104) deny mach-lookup com.apple.coresymbolicationd
    03/12/2012 23:40:00.191 iTunes[396]: 2012-12-03 11:40:00.190980 PM [AVSystemController] Stopping AirPlay
    03/12/2012 23:40:00.655 com.apple.ShareKitHelper[13481]: --warning: [ShareKit-XPC] Received XPC_ERROR_CONNECTION_INVALID
    03/12/2012 23:40:00.655 com.apple.ShareKitHelper[13481]: --warning: [ShareKit-XPC] connectionWithClientInterrupted
    03/12/2012 23:40:00.656 com.apple.ShareKitHelper[13481]: --warning: [ShareKit] Cancel UI for running services with Client PID: 13475
    03/12/2012 23:40:02.091 com.apple.launchd.peruser.502[359]: ([0x0-0x11011].com.apple.calculator[404]) Exited: Killed: 9
    03/12/2012 23:40:02.096 WindowServer[334]: dict count after removing entry for window 0x3a is 0
    03/12/2012 23:40:02.114 com.apple.launchd[1]: (com.apple.ShareKitHelper[13481]) Exited: Killed: 9
    03/12/2012 23:40:02.119 coreservicesd[72]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=2474
    03/12/2012 23:40:02.122 com.apple.launchd.peruser.502[359]: (com.apple.AirPlayUIAgent[8377]) Exited: Killed: 9
    03/12/2012 23:40:02.122 com.apple.launchd.peruser.502[359]: (com.apple.rcd[8271]) Exited: Killed: 9
    03/12/2012 23:40:02.123 coreservicesd[72]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=2474
    03/12/2012 23:40:02.123 coreservicesd[72]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=2474
    03/12/2012 23:40:02.135 com.apple.launchd.peruser.502[359]: (com.apple.FolderActions.enabled[519]) Exited: Killed: 9
    03/12/2012 23:40:02.140 com.apple.launchd.peruser.502[359]: (com.apple.talagent[408]) Exited: Killed: 9
    03/12/2012 23:40:02.183 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=4841
    03/12/2012 23:40:02.183 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=116
    03/12/2012 23:40:02.191 coreservicesd[72]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=138
    03/12/2012 23:40:02.191 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=190
    03/12/2012 23:40:02.191 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=251
    03/12/2012 23:40:02.191 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=242
    03/12/2012 23:40:02.192 coreservicesd[72]: SendFlattenedData, got error #268435459 (ipc/send) invalid destination port from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=138
    03/12/2012 23:40:02.193 NotificationCenter[475]: Connection interrupted.
    03/12/2012 23:40:02.199 SmartDaemon[528]: kCGErrorIllegalArgument: CGSUnregisterWindowWithSystemStatusBar: Invalid window
    03/12/2012 23:40:02.218 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=251
    03/12/2012 23:40:02.218 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationDeath to notificationID=242
    03/12/2012 23:40:02.258 UserEventAgent[11]: Captive: [UserAgentDied:139] User Agent @port=12555 Died
    03/12/2012 23:40:02.271 com.apple.launchd.peruser.502[359]: ([0x0-0x25025].com.apple.iTunesHelper[487]) Exited with code: 1
    03/12/2012 23:40:02.271 com.apple.launchd.peruser.502[359]: ([0x0-0x21021].com.apple.AppleSpell[476]) Exited: Killed: 9
    03/12/2012 23:40:02.271 com.apple.launchd.peruser.502[359]: (com.apple.UserEventAgent-Aqua[376]) Exited: Killed: 9
    03/12/2012 23:40:02.385 blued[56]: -[CBManager init] init returning self:0x7f9131e1c290
    03/12/2012 23:40:02.891 loginwindow[42]: sendQuitEventToApp (Default Folder X Agent): AESendMessage returned error -1712
    03/12/2012 23:40:03.525 DFFinderWindowServer[16124]: Could not get Finder window list (NSInvalidReceivePortException): connection went invalid while waiting for a reply because a mach port died
    03/12/2012 23:40:06.229 HPScanner[8401]: ERROR: Image Capture Extension went away!
    03/12/2012 23:40:06.229 HPScanner[429]: ERROR: Image Capture Extension went away!
    03/12/2012 23:40:07.412 loginwindow[42]: DEAD_PROCESS: 42 console
    03/12/2012 23:40:10.572 helpd[501]: Could not find access page in directory /Applications/Carbon Copy Cloner/Carbon Copy Cloner.app/Contents/Resources/Help
    03/12/2012 23:40:10.572 helpd[501]: Could not find access page in directory /Applications/Carbon Copy Cloner/Carbon Copy Cloner.app/Contents/Resources/Help
    03/12/2012 23:40:20.386 com.apple.launchd[1]: (com.apple.coremedia.videodecoder[13896]) Exit timeout elapsed (20 seconds). Killing
    03/12/2012 23:40:20.965 loginwindow[42]: Application hardKill returned -600
    03/12/2012 23:40:20.965 loginwindow[42]: Application hardKill returned -600
    03/12/2012 23:40:20.965 loginwindow[42]: Application hardKill returned -600
    03/12/2012 23:40:20.966 loginwindow[42]: Application hardKill returned -600
    03/12/2012 23:40:20.966 loginwindow[42]: Application hardKill returned -600
    03/12/2012 23:40:21.259 com.apple.kextd[12]: Warning: /Volumes/New iMac Backups/System/Library/Extensions: No such file or directory
    03/12/2012 23:40:21.265 shutdown[16132]: halt by rb:
    03/12/2012 23:40:21.265 shutdown[16132]: SHUTDOWN_TIME: 1354578021 265102
    03/12/2012 23:40:21.000 kernel[0]: Kext loading now disabled.
    03/12/2012 23:40:21.000 kernel[0]: Kext unloading now disabled.
    04/12/2012 08:02:46.000 bootlog[0]: BOOT_TIME 1354608166 0
    04/12/2012 08:02:54.000 kernel[0]: PMAP: PCID enabled
    04/12/2012 08:02:54.000 kernel[0]: Darwin Kernel Version 12.2.0: Sat Aug 25 00:48:52 PDT 2012; root:xnu-2050.18.24~1/RELEASE_X86_64
    04/12/2012 08:02:54.000 kernel[0]: vm_page_bootstrap: 3002724 free pages and 126620 wired pages
    04/12/2012 08:02:54.000 kernel[0]: kext submap [0xffffff7f80741000 - 0xffffff8000000000], kernel text [0xffffff8000200000 - 0xffffff8000741000]
    04/12/2012 08:02:54.000 kernel[0]: zone leak detection enabled
    04/12/2012 08:02:54.000 kernel[0]: standard timeslicing quantum is 10000 us
    04/12/2012 08:02:54.000 kernel[0]: standard background quantum is 2500 us
    04/12/2012 08:02:54.000 kernel[0]: mig_table_max_displ = 74
    04/12/2012 08:02:54.000 kernel[0]: TSC Deadline Timer supported and enabled
    04/12/2012 08:02:54.000 kernel[0]: corecrypto kext started!
    04/12/2012 08:02:54.000 kernel[0]: Running kernel space in FIPS MODE
    04/12/2012 08:02:54.000 kernel[0]: Plist hmac value is    735d392b68241ef173d81097b1c8ce9ba283521626d1c973ac376838c466757d
    04/12/2012 08:02:54.000 kernel[0]: Computed hmac value is 735d392b68241ef173d81097b1c8ce9ba283521626d1c973ac376838c466757d
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS integrity POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS AES CBC POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS TDES CBC POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS AES ECB AESNI POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS AES XTS AESNI POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS SHA POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS HMAC POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS ECDSA POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS DRBG POST test passed!
    04/12/2012 08:02:54.000 kernel[0]: corecrypto.kext FIPS POST passed!
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=1 LocalApicId=0 Enabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=2 LocalApicId=2 Enabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=3 LocalApicId=4 Enabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=4 LocalApicId=6 Enabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=5 LocalApicId=255 Disabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=6 LocalApicId=255 Disabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=7 LocalApicId=255 Disabled
    04/12/2012 08:02:54.000 kernel[0]: AppleACPICPU: ProcessorId=8 LocalApicId=255 Disabled
    04/12/2012 08:02:54.000 kernel[0]: calling mpo_policy_init for TMSafetyNet
    04/12/2012 08:02:54.000 kernel[0]: Security policy loaded: Safety net for Time Machine (TMSafetyNet)
    04/12/2012 08:02:54.000 kernel[0]: calling mpo_policy_init for Sandbox
    04/12/2012 08:02:54.000 kernel[0]: Security policy loaded: Seatbelt sandbox policy (Sandbox)
    04/12/2012 08:02:54.000 kernel[0]: calling mpo_policy_init for Quarantine
    04/12/2012 08:02:54.000 kernel[0]: Security policy loaded: Quarantine policy (Quarantine)
    04/12/2012 08:02:54.000 kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    04/12/2012 08:02:54.000 kernel[0]: The Regents of the University of California. All rights reserved.
    04/12/2012 08:02:54.000 kernel[0]: MAC Framework successfully initialized
    04/12/2012 08:02:54.000 kernel[0]: using 16384 buffer headers and 10240 cluster IO buffer headers
    04/12/2012 08:02:54.000 kernel[0]: IOAPIC: Version 0x20 Vectors 64:87
    04/12/2012 08:02:54.000 kernel[0]: ACPI: System State [S0 S3 S4 S5]
    04/12/2012 08:02:54.000 kernel[0]: AppleIntelCPUPowerManagement: Turbo Ratios 159A
    04/12/2012 08:02:54.000 kernel[0]: AppleIntelCPUPowerManagement: (built 23:03:24 Jun 24 2012) initialization complete
    04/12/2012 08:02:54.000 kernel[0]: PFM64 (36 cpu) 0xf80000000, 0x80000000
    04/12/2012 08:02:54.000 kernel[0]: [ PCI configuration begin ]
    04/12/2012 08:02:54.000 kernel[0]: console relocated to 0xfc0010000
    04/12/2012 08:02:54.000 kernel[0]: PCI configuration changed (bridge=16 device=3 cardbus=0)
    04/12/2012 08:02:54.000 kernel[0]: [ PCI configuration end, bridges 12 devices 17 ]
    04/12/2012 08:02:54.000 kernel[0]: mbinit: done [96 MB total pool size, (64/32) split]
    04/12/2012 08:02:54.000 kernel[0]: Pthread support ABORTS when sync kernel primitives misused
    04/12/2012 08:02:54.000 kernel[0]: rooting via boot-uuid from /chosen: 97920B59-A1D2-3EC7-99C6-FD674B10B17D
    04/12/2012 08:02:54.000 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>
    04/12/2012 08:02:54.000 kernel[0]: com.apple.AppleFSCompressionTypeZlib kmod start
    04/12/2012 08:02:54.000 kernel[0]: com.apple.AppleFSCompressionTypeDataless kmod start
    04/12/2012 08:02:54.000 kernel[0]: com.apple.AppleFSCompressionTypeZlib load succeeded
    04/12/2012 08:02:54.000 kernel[0]: com.apple.AppleFSCompressionTypeDataless load succeeded
    04/12/2012 08:02:54.000 kernel[0]: AppleIntelCPUPowerManagementClient: ready
    04/12/2012 08:02:54.000 kernel[0]: Got boot device = IOService:/AppleACPIPlatformExpert/PCI0@0/AppleACPIPCI/SATA@1F,2/AppleIntelPchS eriesAHCI/PRT0@0/IOAHCIDevice@0/AppleAHCIDiskDriver/IOAHCIBlockStorageDevice/IOB lockStorageDriver/ST31000528AS Media/IOGUIDPartitionScheme/Customer@2
    04/12/2012 08:02:54.000 kernel[0]: BSD root: disk0s2, major 1, minor 2
    04/12/2012 08:02:54.000 kernel[0]: FireWire (OHCI) Lucent ID 5901 built-in now active, GUID a4b197fffeb4be38; max speed s800.
    04/12/2012 08:02:54.000 kernel[0]: Kernel is LP64
    04/12/2012 08:02:54.000 kernel[0]: USBMSC Identifier (non-unique): 000000009833 0x5ac 0x8403 0x9833
    04/12/2012 08:02:54.000 kernel[0]: ath_get_caps[4038] rx chainmask mismatch actual 7 sc_chainmak 0
    04/12/2012 08:02:54.000 kernel[0]: 1.008480: ath_get_caps[4013] tx chainmask mismatch actual 7 sc_chainmak 0
    04/12/2012 08:02:54.000 kernel[0]: 1.012230: Atheros: mac 448.3 phy 3168.14 radio 0.0
    04/12/2012 08:02:54.000 kernel[0]: 1.012241: Use hw queue 0 for WME_AC_BE traffic
    04/12/2012 08:02:54.000 kernel[0]: 1.012247: Use hw queue 1 for WME_AC_BK traffic
    04/12/2012 08:02:54.000 kernel[0]: 1.012253: Use hw queue 2 for WME_AC_VI traffic
    04/12/2012 08:02:54.000 kernel[0]: 1.012260: Use hw queue 3 for WME_AC_VO traffic
    04/12/2012 08:02:54.000 kernel[0]: 1.012266: Use hw queue 8 for CAB traffic
    04/12/2012 08:02:54.000 kernel[0]: 1.012271: Use hw queue 9 for beacons
    04/12/2012 08:02:54.000 kernel[0]: 1.012342: wlan_vap_create : enter. devhandle=0x45ac2658, opmode=IEEE80211_M_STA, flags=0x1
    04/12/2012 08:02:54.000 kernel[0]: 1.012385: wlan_vap_create : exit. devhandle=0x45ac2658, opmode=IEEE80211_M_STA, flags=0x1.
    04/12/2012 08:02:54.000 kernel[0]: 1.012488: start[1012] sc->sc_inuse_cnt is at offset: 203c, sizeof(_sc->sc_ic) is 25f0
    04/12/2012 08:02:54.000 kernel[0]: USBMSC Identifier (non-unique): 2HBAH8E5     0xd49 0x7410 0x122
    04/12/2012 08:02:54.000 kernel[0]: USBMSC Identifier (non-unique): 18A5021600085E27 0x18a5 0x216 0x0
    04/12/2012 08:02:54.000 kernel[0]: USBMSC Identifier (non-unique): CN87V111ND057K 0x3f0 0x6b11 0x100
    04/12/2012 08:02:47.461 com.apple.launchd[1]: *** launchd[1] has started up. ***
    04/12/2012 08:02:47.461 com.apple.launchd[1]: *** Shutdown logging is enabled. ***
    04/12/2012 08:02:54.220 com.apple.launchd[1]: (com.bombich.ccc.scheduledtask.1E350AAF-0D6D-491C-8C9E-E2B663B9516A) Unknown key for dictionary: cccTaskDict
    04/12/2012 08:02:54.220 com.apple.launchd[1]: (com.bombich.ccc.scheduledtask.33EFCE1D-CA7B-489A-863E-A04823EF8F6B) Unknown key for dictionary: cccTaskDict
    04/12/2012 08:02:54.220 com.apple.launchd[1]: (com.parallels.desktop.launchdaemon) Unknown key for boolean: HopefullyExitsFirst
    04/12/2012 08:02:54.220 com.apple.launchd[1]: (com.apple.automountd) Unknown key for boolean: NSSupportsSuddenTermination
    04/12/2012 08:03:07.684 hidd[47]: Posting 'com.apple.iokit.hid.displayStatus' notifyState=1
    04/12/2012 08:03:07.697 hidd[47]: void __IOHIDLoadBundles(): Loaded 0 HID plugins
    04/12/2012 08:03:07.765 kdc[45]: label: default
    04/12/2012 08:03:07.766 kdc[45]:           dbname: od:/Local/Default
    04/12/2012 08:03:07.766 kdc[45]:           mkey_file: /var/db/krb5kdc/m-key
    04/12/2012 08:03:07.766 kdc[45]:           acl_file: /var/db/krb5kdc/kadmind.acl
    04/12/2012 08:03:08.000 kernel[0]: BCM5701Enet: Ethernet address 3c:07:54:4a:83:78
    04/12/2012 08:03:08.000 kernel[0]: AirPort_AtherosNewma40: Ethernet address 04:54:53:0a:df:48
    04/12/2012 08:03:08.000 kernel[0]: IO80211Controller::dataLinkLayerAttachComplete():  adding AppleEFINVRAM notification
    04/12/2012 08:03:08.000 kernel[0]: IO80211Interface::efiNVRAMPublished(): 
    04/12/2012 08:03:08.000 kernel[0]: Waiting for DSMOS...
    04/12/2012 08:03:08.000 kernel[0]: macx_swapon SUCCESS
    04/12/2012 08:03:08.719 mDNSResponder[39]: mDNSResponder mDNSResponder-379.32.1 (Aug 31 2012 19:05:06) starting OSXVers 12
    04/12/2012 08:03:08.767 airportd[77]: _processDLILEvent: en1 attached (down)
    04/12/2012 08:03:08.769 appleeventsd[53]: main: Starting up
    04/12/2012 08:03:08.771 Parallels[86]: Unloading kernel extension prl_netbridge.kext
    04/12/2012 08:03:08.833 com.apple.usbmuxd[26]: usbmuxd-296.3 on Jul 25 2012 at 00:28:37, running 64 bit
    04/12/2012 08:03:09.000 kernel[0]: AtherosNewma40P2PInterface::init name <p2p0> role 1 this 0xffffff802746b000
    04/12/2012 08:03:09.000 kernel[0]: AtherosNewma40P2PInterface::init() <p2p> role 1
    04/12/2012 08:03:09.069 coreservicesd[72]: FindBestLSSession(), no match for inSessionID 0xfffffffffffffffc auditTokenInfo( uid=0 euid=0 auSessionID=100000 create=false
    04/12/2012 08:03:09.000 kernel[0]: Previous Shutdown Cause: 5
    04/12/2012 08:03:09.000 kernel[0]: IOBluetoothUSBDFU::probe
    04/12/2012 08:03:09.000 kernel[0]: IOBluetoothUSBDFU::probe ProductID - 0x8215 FirmwareVersion - 0x0201
    04/12/2012 08:03:09.000 kernel[0]: [BroadcomBluetoothHCIControllerUSBTransport][start] -- completed
    04/12/2012 08:03:09.663 Parallels[139]: Unloading kernel extension prl_vnic.kext
    04/12/2012 08:03:09.784 com.apple.kextd[12]: Can't load /System/Library/Extensions/SoundTapVirtualAudioDevice.kext - no code for running kernel's architecture.
    04/12/2012 08:03:09.786 com.apple.kextd[12]: Load com.NCHSoftware.driver.SoundTapVirtualAudioDevice failed; removing personalities from kernel.
    04/12/2012 08:03:09.828 com.apple.kextd[12]: Can't load /System/Library/Extensions/SoundTapVirtualAudioDevice.kext - no code for running kernel's architecture.
    04/12/2012 08:03:09.829 com.apple.kextd[12]: Load com.NCHSoftware.driver.SoundTapVirtualAudioDevice failed; removing personalities from kernel.
    04/12/2012 08:03:09.831 com.apple.kextd[12]: Can't load /System/Library/Extensions/Virex.kext - no code for running kernel's architecture.
    04/12/2012 08:03:09.832 com.apple.kextd[12]: Load com.NAI.SysCallExt failed; removing personalities from kernel.
    04/12/2012 08:03:09.000 kernel[0]: [AGPM Controller] build GPUDict by Vendor1002Device6740
    04/12/2012 08:03:09.000 kernel[0]: APExtframeBuffer starting: max resolution 1920x1080
    04/12/2012 08:03:09.000 kernel[0]: Initializing Framebuffer.
    04/12/2012 08:03:09.000 kernel[0]: DSMOS has arrived
    04/12/2012 08:03:09.000 kernel[0]: [IOBluetoothHCIController][staticBluetoothHCIControllerTransportShowsUp] -- Received Bluetooth Controller register service notification
    04/12/2012 08:03:09.000 kernel[0]: [IOBluetoothHCIController][start] -- completed
    04/12/2012 08:03:09.000 kernel[0]: [IOBluetoothHCIController::setConfigState] calling registerService
    04/12/2012 08:03:10.150 WindowServer[146]: Server is starting up
    04/12/2012 08:03:10.181 WindowServer[146]: Session 256 retained (2 references)
    04/12/2012 08:03:10.181 WindowServer[146]: Session 256 released (1 references)
    04/12/2012 08:03:10.188 WindowServer[146]: Session 256 retained (2 references)
    04/12/2012 08:03:10.000 kernel[0]: AirPort: Link Down on en1. Reason 1 (Unspecified).
    04/12/2012 08:03:10.000 kernel[0]: en1::IO80211Interface::postMessage bssid changed
    04/12/2012 08:03:10.000 kernel[0]: 25.013967: setWOW_PARAMETERS:wowevents = 2(1)
    04/12/2012 08:03:10.774 configd[17]: network changed.
    04/12/2012 08:03:10.774 configd[17]: setting hostname to "Rogers-iMac-6.local"
    04/12/2012 08:03:11.083 Parallels[159]: Unloading kernel extension prl_usb_connect.kext
    04/12/2012 08:03:11.994 mds[38]: (Normal) FMW: FMW 0 0
    04/12/2012 08:03:12.383 WindowServer[146]: init_page_flip: page flip mode is on
    04/12/2012 08:03:12.955 WindowServer[146]: mux_initialize: Couldn't find any matches
    04/12/2012 08:03:12.967 WindowServer[146]: GLCompositor enabled for tile size [256 x 256]
    04/12/2012 08:03:12.967 WindowServer[146]: CGXGLInitMipMap: mip map mode is on
    04/12/2012 08:03:12.997 WindowServer[146]: WSMachineUsesNewStyleMirroring: false
    04/12/2012 08:03:12.997 WindowServer[146]: Display 0x042801c0: GL mask 0x1; bounds (0, 0)[2560 x 1440], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a007, S/N 0, Unit 0, Rotation 0
    UUID 0x000006100000a00700000000042801c0
    04/12/2012 08:03:12.997 WindowServer[146]: Display 0x003f0041: GL mask 0x20; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 5, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0041
    04/12/2012 08:03:12.997 WindowServer[146]: Display 0x003f0040: GL mask 0x10; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 4, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0040
    04/12/2012 08:03:12.997 WindowServer[146]: Display 0x003f003f: GL mask 0x8; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003f
    04/12/2012 08:03:12.997 WindowServer[146]: 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 0xffffffffffffffffffffffff003f003e
    04/12/2012 08:03:12.997 WindowServer[146]: 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 0xffffffffffffffffffffffff003f003d
    04/12/2012 08:03:13.004 WindowServer[146]: Created shield window 0x5 for display 0x042801c0
    04/12/2012 08:03:13.005 WindowServer[146]: Created shield window 0x6 for display 0x003f0041
    04/12/2012 08:03:13.005 WindowServer[146]: Created shield window 0x7 for display 0x003f0040
    04/12/2012 08:03:13.005 WindowServer[146]: Created shield window 0x8 for display 0x003f003f
    04/12/2012 08:03:13.005 WindowServer[146]: Created shield window 0x9 for display 0x003f003e
    04/12/2012 08:03:13.005 WindowServer[146]: Created shield window 0xa for display 0x003f003d
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x042801c0: GL mask 0x1; bounds (0, 0)[2560 x 1440], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a007, S/N 0, Unit 0, Rotation 0
    UUID 0x000006100000a00700000000042801c0
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x003f0041: GL mask 0x20; bounds (3584, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 5, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0041
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x003f0040: GL mask 0x10; bounds (3585, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 4, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0040
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x003f003f: GL mask 0x8; bounds (3586, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003f
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x003f003e: GL mask 0x4; bounds (3587, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 2, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003e
    04/12/2012 08:03:13.007 WindowServer[146]: Display 0x003f003d: GL mask 0x2; bounds (3588, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 1, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003d
    04/12/2012 08:03:13.007 WindowServer[146]: CGXPerformInitialDisplayConfiguration
    04/12/2012 08:03:13.007 WindowServer[146]:   Display 0x042801c0: MappedDisplay Unit 0; Vendor 0x610 Model 0xa007 S/N 0 Dimensions 23.50 x 13.23; online enabled built-in, Bounds (0,0)[2560 x 1440], Rotation 0, Resolution 1
    04/12/2012 08:03:13.007 WindowServer[146]:   Display 0x003f0041: MappedDisplay Unit 5; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3584,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:13.007 WindowServer[146]:   Display 0x003f0040: MappedDisplay Unit 4; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3585,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:13.007 WindowServer[146]:   Display 0x003f003f: MappedDisplay Unit 3; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3586,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:13.008 WindowServer[146]:   Display 0x003f003e: MappedDisplay Unit 2; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3587,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:13.008 WindowServer[146]:   Display 0x003f003d: MappedDisplay Unit 1; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3588,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:13.000 kernel[0]: APExternalDisplay Memory Reserved: 8331264 bytes
    04/12/2012 08:03:13.030 WindowServer[146]: GLCompositor: GL renderer id 0x01021b06, GL mask 0x0000001f, accelerator 0x00004b37, unit 0, caps QEX|QGL|MIPMAP, vram 512 MB
    04/12/2012 08:03:13.030 WindowServer[146]: GLCompositor: GL renderer id 0x01021b06, GL mask 0x0000001f, texture units 8, texture max 16384, viewport max {16384, 16384}, extensions FPRG|NPOT|GLSL|FLOAT
    04/12/2012 08:03:13.042 WindowServer[146]: Unable to open IOHIDSystem (e00002bd)
    04/12/2012 08:03:13.286 Parallels[188]: Unloading kernel extension prl_hid_hook.kext
    04/12/2012 08:03:13.000 kernel[0]: virtual bool IOHIDEventSystemUserClient::initWithTask(task_t, void *, UInt32): Client task not privileged to open IOHIDSystem for mapping memory (e00002c1)
    04/12/2012 08:03:13.000 kernel[0]: NTFS driver 3.10 [Flags: R/W].
    04/12/2012 08:03:13.000 kernel[0]: Ethernet [AppleBCM5701Ethernet]: Link up on en0, 1-Gigabit, Full-duplex, Symmetric flow-control, Debug [796d,0301,0de1,0300,c5e1,3800]
    04/12/2012 08:03:14.649 com.apple.SecurityServer[14]: Session 100000 created
    04/12/2012 08:03:14.000 kernel[0]: NTFS volume name BOOTCAMP, version 3.1.
    04/12/2012 08:03:14.992 Parallels[197]: Unloading kernel extension prl_hypervisor.kext
    04/12/2012 08:03:15.006 WindowServer[146]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    04/12/2012 08:03:16.044 WindowServer[146]: MPAccessSurfaceForDisplayDevice: Set up page flip mode on display 0x042801c0 device: 0x100f68320  isBackBuffered: 1 numComp: 3 numDisp: 3
    04/12/2012 08:03:16.145 coreaudiod[147]: 2012-12-04 08:03:16.144615 AM [AirPlay] Started browsing for _airplay._tcp.
    04/12/2012 08:03:16.145 coreaudiod[147]: 2012-12-04 08:03:16.145076 AM [AirPlay] Started browsing for _raop._tcp.
    04/12/2012 08:03:16.642 Parallels[209]: Loading kernel extension prl_usb_connect.kext
    04/12/2012 08:03:16.952 schedulerdaemon[63]: SmithMicro schedulerdaemon started.
    04/12/2012 08:03:17.543 configd[17]: network changed: v4(en0+:10.0.1.250) DNS+ Proxy+ SMB
    04/12/2012 08:03:18.905 Parallels[216]: Loading kernel extension prl_hypervisor.kext
    04/12/2012 08:03:21.321 Parallels[224]: Loading kernel extension prl_hid_hook.kext
    04/12/2012 08:03:22.000 kernel[0]: Sandbox: sandboxd(218) deny mach-lookup com.apple.coresymbolicationd
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypVtx.c:186   CPU is Intel
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypLowCache.c:193   Low cache initialized (106560 kB for 24 VMs on 12288 MB)
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypApic.c:211   Host APIC  phy 0xFEE00000  lin 0xffffff818aabf000  ver 0x15
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypVtd.c:3941   [vtdInit]
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypVtd.c:3957   [vtdInit] VTD initialization disabled
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypSMBios.c:54   Failed to find SMBios entry point
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypModule.c:184   Parallels IPI irq = 0 ipi = 0(0x0)
    04/12/2012 08:03:22.000 kernel[0]: /drv/ HypModule.c:194   Parallels Hypervisor 7.0.15106.786747 loaded.
    04/12/2012 08:03:23.982 Parallels[230]: Loading kernel extension prl_netbridge.kext
    04/12/2012 08:03:24.000 kernel[0]: /prl_hid/ Parallels HID Helper started.
    04/12/2012 08:03:26.017 prl_client_app[80]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:26.266 Parallels[236]: Loading kernel extension prl_vnic.kext
    04/12/2012 08:03:27.000 kernel[0]: com.parallels.kext.prlnet 7.0.15106.786747 has started.
    04/12/2012 08:03:27.000 kernel[0]: [ffffff8026ead000][BNBMouseDevice::init][75.15] init is complete
    04/12/2012 08:03:27.000 kernel[0]: [ffffff8026ead000][BNBMouseDevice::handleStart][75.15] returning 1
    04/12/2012 08:03:27.000 kernel[0]: [ffffff80277dca00][AppleMultitouchHIDEventDriver::start] entered
    04/12/2012 08:03:28.085 com.apple.SecurityServer[14]: Entering service
    04/12/2012 08:03:28.110 systemkeychain[90]: done file: /var/run/systemkeychaincheck.done
    04/12/2012 08:03:28.123 mDNSResponder[39]: D2D_IPC: Loaded
    04/12/2012 08:03:28.123 mDNSResponder[39]: D2DInitialize succeeded
    04/12/2012 08:03:28.123 configd[17]: network changed: v4(en0:10.0.1.250) DNS* Proxy SMB
    04/12/2012 08:03:28.124 mDNSResponder[39]: ConfigResolvers: interface specific index 4 not found
    04/12/2012 08:03:28.124 configd[17]: network changed: v4(en0:10.0.1.250) DNS* Proxy SMB
    04/12/2012 08:03:28.125 mDNSResponder[39]: ConfigResolvers: interface specific index 4 not found
    04/12/2012 08:03:28.133 kdc[45]: WARNING Found KDC certificate (O=System Identity,CN=com.apple.kerberos.kdc)is missing the PK-INIT KDC EKU, this is bad for interoperability.
    04/12/2012 08:03:28.731 Parallels[254]: Trying to load kernel extensions, exit status: 0
    04/12/2012 08:03:29.000 kernel[0]: [ffffff802ae1ab00][AppleMultitouchDevice::start] entered
    04/12/2012 08:03:29.000 kernel[0]: 42.411646: setDISASSOC from ATH_INTERFACE_CLASS disconnectVap
    04/12/2012 08:03:29.000 kernel[0]: 42.411655: switchVap from 1 to 1
    04/12/2012 08:03:29.000 kernel[0]: com.parallels.kext.vnic 7.0.15106.786747 has started.
    04/12/2012 08:03:31.194 kdc[45]: KDC started
    04/12/2012 08:03:32.185 Parallels[257]: Starting Parallels networking...
    04/12/2012 08:03:35.480 apsd[59]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:35.481 apsd[59]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:36.152 SystemStarter[263]: Skipping disabled StartupItem: /Library/StartupItems/RetroRun
    04/12/2012 08:03:36.161 SystemStarter[263]: Adobe Version Cue CS2 (269) did not complete successfully
    04/12/2012 08:03:36.174 SystemStarter[263]: HP IO Monitor (271) did not complete successfully
    04/12/2012 08:03:36.197 SystemStarter[263]: The following StartupItems failed to start properly:
    04/12/2012 08:03:36.197 SystemStarter[263]: /Library/StartupItems/AdobeVersionCueCS2
    04/12/2012 08:03:36.197 SystemStarter[263]:  - execution of Startup script failed
    04/12/2012 08:03:36.197 SystemStarter[263]: /Library/StartupItems/HP IO
    04/12/2012 08:03:36.197 SystemStarter[263]:  - execution of Startup script failed
    04/12/2012 08:03:36.203 service[283]: 3891612: (CGSLookupServerRootPort) Untrusted apps are not allowed to connect to or launch Window Server before login.
    04/12/2012 08:03:36.203 service[283]: kCGErrorRangeCheck: On-demand launch of the Window Server is allowed for root user only.
    04/12/2012 08:03:36.203 service[283]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:36.203 service[283]: kCGErrorRangeCheck: On-demand launch of the Window Server is allowed for root user only.
    04/12/2012 08:03:36.203 service[283]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:36.203 service[283]: kCGErrorFailure: This user is not allowed access to the window system right now.
    04/12/2012 08:03:36.214 EyeConnectWatchDog[305]: BUG in libdispatch client: Do not close random Unix descriptors
    04/12/2012 08:03:36.220 EyeConnect[277]: 3891612: (CGSLookupServerRootPort) Untrusted apps are not allowed to connect to or launch Window Server before login.
    04/12/2012 08:03:36.220 EyeConnect[277]: kCGErrorRangeCheck: On-demand launch of the Window Server is allowed for root user only.
    04/12/2012 08:03:36.220 EyeConnect[277]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:36.221 EyeConnect[277]: kCGErrorRangeCheck: On-demand launch of the Window Server is allowed for root user only.
    04/12/2012 08:03:36.221 EyeConnect[277]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:36.221 EyeConnect[277]: kCGErrorFailure: This user is not allowed access to the window system right now.
    04/12/2012 08:03:36.221 EyeConnect[277]: CGSGetDisplayBounds: Invalid display 0x00000000
    04/12/2012 08:03:36.678 prl_client_app[80]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:39.631 awacsd[57]: Starting awacsd connectivity-78 (Jul 26 2012 14:37:46)
    04/12/2012 08:03:39.664 awacsd[57]: ConduitMultiClientPlus: Could not get encoded salted hashed password
    04/12/2012 08:03:39.834 loginwindow[42]: Login Window Application Started
    04/12/2012 08:03:40.647 digest-service[265]: label: default
    04/12/2012 08:03:40.647 digest-service[265]:           dbname: od:/Local/Default
    04/12/2012 08:03:40.647 digest-service[265]:           mkey_file: /var/db/krb5kdc/m-key
    04/12/2012 08:03:40.647 digest-service[265]:           acl_file: /var/db/krb5kdc/kadmind.acl
    04/12/2012 08:03:40.649 digest-service[265]: digest-request: uid=0
    04/12/2012 08:03:40.668 rpcsvchost[310]: sandbox_init: com.apple.msrpc.netlogon.sb succeeded
    04/12/2012 08:03:40.672 digest-service[265]: digest-request: init request
    04/12/2012 08:03:40.676 digest-service[265]: digest-request: init return domain: BUILTIN server: ROGERS-IMAC-6
    04/12/2012 08:03:41.470 ntpd[261]: proto: precision = 1.000 usec
    04/12/2012 08:03:41.677 locationd[43]: NOTICE,Location icon should now be in state 0
    04/12/2012 08:03:45.299 apsd[59]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:51.969 WindowServer[308]: Server is starting up
    04/12/2012 08:03:51.970 WindowServer[308]: Session 256 retained (2 references)
    04/12/2012 08:03:51.970 WindowServer[308]: Session 256 released (1 references)
    04/12/2012 08:03:51.972 WindowServer[308]: Session 256 retained (2 references)
    04/12/2012 08:03:51.973 WindowServer[308]: init_page_flip: page flip mode is on
    04/12/2012 08:03:51.985 EyeConnect[277]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    04/12/2012 08:03:51.987 WindowServer[308]: mux_initialize: Couldn't find any matches
    04/12/2012 08:03:51.000 kernel[0]: com_parallels_kext_prl_vnic: created vnic0
    04/12/2012 08:03:51.000 kernel[0]: com_parallels_kext_prl_vnic: created vnic1
    04/12/2012 08:03:52.003 WindowServer[308]: GLCompositor enabled for tile size [256 x 256]
    04/12/2012 08:03:52.003 WindowServer[308]: CGXGLInitMipMap: mip map mode is on
    04/12/2012 08:03:52.011 Parallels[324]: Parallels networking sucessfully started
    04/12/2012 08:03:52.022 WindowServer[308]: WSMachineUsesNewStyleMirroring: false
    04/12/2012 08:03:52.022 WindowServer[308]: Display 0x042801c0: GL mask 0x1; bounds (0, 0)[2560 x 1440], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a007, S/N 0, Unit 0, Rotation 0
    UUID 0x000006100000a00700000000042801c0
    04/12/2012 08:03:52.022 WindowServer[308]: Display 0x003f0041: GL mask 0x20; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 5, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0041
    04/12/2012 08:03:52.022 WindowServer[308]: Display 0x003f0040: GL mask 0x10; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 4, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0040
    04/12/2012 08:03:52.023 WindowServer[308]: Display 0x003f003f: GL mask 0x8; bounds (0, 0)[0 x 0], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003f
    04/12/2012 08:03:52.023 WindowServer[308]: 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 0xffffffffffffffffffffffff003f003e
    04/12/2012 08:03:52.023 WindowServer[308]: 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 0xffffffffffffffffffffffff003f003d
    04/12/2012 08:03:52.029 WindowServer[308]: Created shield window 0x4 for display 0x042801c0
    04/12/2012 08:03:52.029 WindowServer[308]: Created shield window 0x5 for display 0x003f0041
    04/12/2012 08:03:52.029 WindowServer[308]: Created shield window 0x6 for display 0x003f0040
    04/12/2012 08:03:52.029 WindowServer[308]: Created shield window 0x7 for display 0x003f003f
    04/12/2012 08:03:52.030 WindowServer[308]: Created shield window 0x8 for display 0x003f003e
    04/12/2012 08:03:52.030 WindowServer[308]: Created shield window 0x9 for display 0x003f003d
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x042801c0: GL mask 0x1; bounds (0, 0)[2560 x 1440], 36 modes available
    Main, Active, on-line, enabled, built-in, boot, Vendor 610, Model a007, S/N 0, Unit 0, Rotation 0
    UUID 0x000006100000a00700000000042801c0
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x003f0041: GL mask 0x20; bounds (3584, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 5, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0041
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x003f0040: GL mask 0x10; bounds (3585, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 4, Rotation 0
    UUID 0xffffffffffffffffffffffff003f0040
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x003f003f: GL mask 0x8; bounds (3586, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 3, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003f
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x003f003e: GL mask 0x4; bounds (3587, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 2, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003e
    04/12/2012 08:03:52.031 WindowServer[308]: Display 0x003f003d: GL mask 0x2; bounds (3588, 0)[1 x 1], 1 modes available
    off-line, enabled, Vendor ffffffff, Model ffffffff, S/N ffffffff, Unit 1, Rotation 0
    UUID 0xffffffffffffffffffffffff003f003d
    04/12/2012 08:03:52.031 WindowServer[308]: CGXPerformInitialDisplayConfiguration
    04/12/2012 08:03:52.031 WindowServer[308]:   Display 0x042801c0: MappedDisplay Unit 0; Vendor 0x610 Model 0xa007 S/N 0 Dimensions 23.50 x 13.23; online enabled built-in, Bounds (0,0)[2560 x 1440], Rotation 0, Resolution 1
    04/12/2012 08:03:52.031 WindowServer[308]:   Display 0x003f0041: MappedDisplay Unit 5; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3584,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:52.032 WindowServer[308]:   Display 0x003f0040: MappedDisplay Unit 4; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3585,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:52.032 WindowServer[308]:   Display 0x003f003f: MappedDisplay Unit 3; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3586,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:52.032 WindowServer[308]:   Display 0x003f003e: MappedDisplay Unit 2; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3587,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:52.032 WindowServer[308]:   Display 0x003f003d: MappedDisplay Unit 1; Vendor 0xffffffff Model 0xffffffff S/N -1 Dimensions 0.00 x 0.00; offline enabled, Bounds (3588,0)[1 x 1], Rotation 0, Resolution 1
    04/12/2012 08:03:52.035 WindowServer[308]: GLCompositor: GL renderer id 0x01021b06, GL mask 0x0000001f, accelerator 0x00004b37, unit 0, caps QEX|QGL|MIPMAP, vram 512 MB
    04/12/2012 08:03:52.035 WindowServer[308]: GLCompositor: GL renderer id 0x01021b06, GL mask 0x0000001f, texture units 8, texture max 16384, viewport max {16384, 16384}, extensions FPRG|NPOT|GLSL|FLOAT
    04/12/2012 08:03:52.038 loginwindow[42]: **DMPROXY** Found `/System/Library/CoreServices/DMProxy'.
    04/12/2012 08:03:52.150 prl_naptd[322]: Starting Parallels Network Daemon
    04/12/2012 08:03:52.000 kernel[0]: disk6s2: alignment error.
    04/12/2012 08:03:52.000 kernel[0]: disk6s2: alignment error.
    04/12/2012 08:03:54.031 WindowServer[308]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    04/12/2012 08:03:54.635 awacsd[57]: Exiting
    04/12/2012 08:03:55.049 WindowServer[308]: MPAccessSurfaceForDisplayDevice: Set up page flip mode on display 0x042801c0 device: 0x10c19e320  isBackBuffered: 1 numComp: 3 numDisp: 3
    04/12/2012 08:03:55.272 Parallels[330]: Restarting CiscoVPN
    04/12/2012 08:03:55.999 mDNSResponderHelper[332]: do_mDNSInterfaceAdvtIoctl: ioctl call SIOCGIFINFO_IN6 failed - error (22) Invalid argument
    04/12/2012 08:03:56.000 mDNSResponderHelper[332]: do_mDNSInterfaceAdvtIoctl: ioctl call SIOCGIFINFO_IN6 failed - error (22) Invalid argument
    04/12/2012 08:03:59.826 SystemStarter[333]: Skipping disabled StartupItem: /Library/StartupItems/RetroRun
    04/12/2012 08:03:59.826 SystemStarter[333]: Unknown service: CiscoVPN
    04/12/2012 08:03:59.830 Parallels[336]: Starting Parallels Dispatcher Service
    04/12/2012 08:04:00.864 service[283]: _RegisterApplication(), FAILED TO establish the default connection to the WindowServer, _CGSDefaultConnection() is NULL.
    04/12/2012 08:04:00.876 DMProxy[199]: CGSShutdownServerConnections: Detaching application from window server
    04/12/2012 08:04:00.877 DMProxy[199]: CGSDisplayServerShutdown: Detaching display subsystem from window server
    04/12/2012 08:04:00.879 WindowServer[308]: Created shield window 0xa for display 0x042801c0
    04/12/2012 08:04:00.880 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:00.880 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:00.894 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:00.898 launchctl[338]: com.apple.findmymacmessenger: Already loaded
    04/12/2012 08:04:00.913 com.apple.SecurityServer[14]: Session 100006 created
    04/12/2012 08:04:00.933 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:00.935 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:00.973 UserEventAgent[339]: cannot find useragent 1102
    04/12/2012 08:04:01.000 kernel[0]: vnic0: promiscuous mode enable failed
    04/12/2012 08:04:03.119 Parallels[347]: Parallels Dispatcher Service sucessfully started
    04/12/2012 08:04:05.598 prl_naptd[322]: vnic0: DHCP/NAT for 10.0.0.100-10.0.0.125 netmask 255.255.255.0
    04/12/2012 08:04:05.598 prl_naptd[322]: vnic1: DHCP for 10.37.129.1-10.37.129.254 netmask 255.255.255.0
    04/12/2012 08:04:05.000 kernel[0]: vnic1: promiscuous mode enable failed
    04/12/2012 08:04:07.070 com.apple.launchd[1]: (com.apple.xprotectupdater[24]) Exited with code: 252
    04/12/2012 08:04:07.000 kernel[0]: /drv/ HypIoctls.c:779   Ioctl VT-d status: 0
    04/12/2012 08:04:09.312 hidd[47]: CGSShutdownServerConnections: Detaching application from window server
    04/12/2012 08:04:09.312 hidd[47]: CGSDisplayServerShutdown: Detaching display subsystem from window server
    04/12/2012 08:04:09.474 loginwindow[42]: Login Window Started Security Agent
    04/12/2012 08:04:09.707 SecurityAgent[366]: This is the first run
    04/12/2012 08:04:09.707 SecurityAgent[366]: MacBuddy was run = 0
    04/12/2012 08:04:09.736 SecurityAgent[366]: User info context values set for rb
    04/12/2012 08:04:10.141 loginwindow[42]: Login Window - Returned from Security Agent
    04/12/2012 08:04:10.143 loginwindow[42]: ERROR | ScreensharingLoginNotification | Failed sending message to screen sharing GetScreensharingPort, err: 1102
    04/12/2012 08:04:10.157 loginwindow[42]: USER_PROCESS: 42 console
    04/12/2012 08:04:10.732 com.apple.launchd.peruser.502[369]: (com.smithmicro.cleaning.schedulermailer) Ignored this key: UserName
    04/12/2012 08:04:10.732 com.apple.launchd.peruser.502[369]: (com.apple.gamed) Ignored this key: UserName
    04/12/2012 08:04:10.732 com.apple.launchd.peruser.502[369]: (com.apple.gamed) Ignored this key: GroupName
    04/12/2012 08:04:10.733 com.apple.launchd.peruser.502[369]: (com.apple.ReportCrash) Falling back to default Mach exception handler. Could not find: com.apple.ReportCrash.Self
    04/12/2012 08:04:10.737 loginwindow[42]: Connection with distnoted server was invalidated
    04/12/2012 08:04:10.752 distnoted[373]: # distnote server agent  absolute time: 85.178908573   civil time: Tue Dec  4 08:04:10 2012   pid: 373 uid: 502  root: no
    04/12/2012 08:04:10.957 blued[56]: kBTXPCUpdateUserPreferences gConsoleUserUID = 502
    04/12/2012 08:04:11.041 locationd[381]: NOTICE,Location icon should now be in state 0
    04/12/2012 08:04:11.098 UserEventAgent[372]: cannot find fw daemon port 1102
    04/12/2012 08:04:13.741 WindowServer[308]: **DMPROXY** (2) Found `/System/Library/CoreServices/DMProxy'.
    04/12/2012 08:04:13.804 WindowServer[308]: Display 0x042801c0: MappedDisplay Unit 0; ColorProfile { 2, "iMac"}; TransferFormula (1.000000, 1.000000, 1.000000)
    04/12/2012 08:04:14.025 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationReady to notificationID=121
    04/12/2012 08:04:14.035 EyeConnect[277]: kCGErrorInvalidConnection: CGSGetEventPort: Invalid connection
    04/12/2012 08:04:14.090 EyeConnect[277]: _RegisterApplication(), FAILED TO establish the default connection to the WindowServer, _CGSDefaultConnection() is NULL.
    04/12/2012 08:04:14.090 EyeConnect[277]: CGSRegisterConnectionNotifyProc called with invalid connection
    04/12/2012 08:04:14.090 EyeConnect[277]: CGSRegisterConnectionNotifyProc called with invalid connection
    04/12/2012 08:04:14.091 EyeConnect[277]: kCGErrorInvalidConnection: CGSSetConnectionProperty: Invalid connection
    04/12/2012 08:04:14.091 EyeConnect[277]: kCGErrorInvalidConnection: Error enabling suspendResume handling
    04/12/2012 08:04:14.342 NetworkBrowserAgent[418]: Starting NetworkBrowserAgent
    04/12/2012 08:04:15.634 WindowServer[308]: CGXDisableUpdate: UI updates were forcibly disabled by application "SystemUIServer" for over 1.00 seconds. Server has re-enabled them.
    04/12/2012 08:04:16.017 talagent[409]: CGSGetOnScreenWindowList: Invalid connection
    04/12/2012 08:04:16.018 coreservicesd[72]: Can't change an application into stopped state for app App:"iTunes" [ 0x0/0x7007]  @ 0x0x7fa6a5105db0 because it's already been started.
    04/12/2012 08:04:16.560 WindowServer[308]: kCGErrorNotImplemented: receive_notification: CPXSetEventFilter failed
    04/12/2012 08:04:16.985 WindowServer[308]: reenable_update_for_connection: UI updates were finally reenabled by application "SystemUIServer" after 2.35 seconds (server forcibly re-enabled them after 1.00 seconds)
    04/12/2012 08:04:17.130 iTunes[386]: TuneUp Plugin main received 'tini' from 10.9
    04/12/2012 08:04:17.130 iTunes[386]: *** TuneUp Plugin: LSFindApplicationForInfo(TuneUp.app) = -10814
    04/12/2012 08:04:17.160 WindowServer[308]: kCGErrorNotImplemented: receive_notification: CPXSetEventFilter failed
    04/12/2012 08:04:17.174 iTunes[386]: TuneUp Plugin main received ' rlc' from 0.0
    04/12/2012 08:04:18.166 WindowServer[308]: kCGErrorNotImplemented: receive_notification: CPXSetEventFilter failed
    04/12/2012 08:04:20.368 com.apple.SecurityServer[14]: Session 100007 created
    04/12/2012 08:04:20.711 WindowServer[308]: kCGErrorNotImplemented: receive_notification: CPXSetEventFilter failed
    04/12/2012 08:04:22.892 com.apple.launchd.peruser.502[369]: ([0x0-0xf00f].com.ntr.NTRconnectHI[405]) Exited: Terminated: 15
    04/12/2012 08:04:28.353 iTunes[386]:  AVF KeyExchange Version from driver for Certificates 1
    04/12/2012 08:04:28.840 ReportCrash[463]: DebugSymbols was unable to start a spotlight query: spotlight is not responding or disabled.
    04/12/2012 08:04:29.265 ReportCrash[463]: failed looking up LS service ( scCreateSystemService returned MACH_PORT_NULL, called from SetupCoreApplicationServicesCommunicationPort, so using client-side NULL calls.
    04/12/2012 08:04:29.265 ReportCrash[463]: LaunchServices/5123589: Unable to lookup coreservices session port for session 0x186a0 uid=0 euid=0
    04/12/2012 08:04:29.265 ReportCrash[463]: failed looking up LS service ( scCreateSystemService returned MACH_PORT_NULL, called from SetupCoreApplicationServicesCommunicationPort, so using client-side NULL calls.
    04/12/2012 08:04:29.266 ReportCrash[463]: LaunchServices/5123589: Unable to lookup coreservices session port for session 0x186a0 uid=0 euid=0
    04/12/2012 08:04:29.272 ReportCrash[463]: failed looking up LS service ( scCreateSystemService returned MACH_PORT_NULL, called from SetupCoreApplicationServicesCommunicationPort, so using client-side NULL calls.
    04/12/2012 08:04:29.273 ReportCrash[463]: LaunchServices/5123589: Unable to lookup coreservices session port for session 0x186a0 uid=0 euid=0
    04/12/2012 08:04:29.273 ReportCrash[463]: failed looking up LS service ( scCreateSystemService returned MACH_PORT_NULL, called from SetupCoreApplicationServicesCommunicationPort, so using client-side NULL calls.
    04/12/2012 08:04:29.273 ReportCrash[463]: LaunchServices/5123589: Unable to lookup coreservices session port for session 0x186a0 uid=0 euid=0
    04/12/2012 08:04:29.273 ReportCrash[463]: failed looking up LS service ( scCreateSystemService returned MACH_PORT_NULL, called from SetupCoreApplicationServicesCommunicationPort, so using client-side NULL calls.
    04/12/2012 08:04:29.273 ReportCrash[463]: LaunchServices/5123589: Unable to lookup coreservices session port for session 0x186a0 uid=0 euid=0
    04/12/2012 08:04:29.909 ReportCrash[463]: Saved crash report for service[283] version 100274 to /Library/Logs/DiagnosticReports/service_2012-12-04-080429_Rogers-iMac-6.crash
    04/12/2012 08:04:30.709 com.apple.launchd[1]: (com.apple.coreservices.appleid.authentication[343]) Exit timeout elapsed (20 seconds). Killing
    04/12/2012 08:05:02.074 WindowServer[308]: kCGErrorNotImplemented: receive_notification: CPXSetEventFilter failed
    04/12/2012 08:05:05.306 QuicKeys[401]: Initializer-based scripting additions are no longer supported. "/Library/ScriptingAdditions/QXPScriptingAdditions.osax" not loaded.
    04/12/2012 08:05:05.618 QuicKeysUserEventHelper[479]: Adjusting event tap timeout to 5.000000 seconds.
    04/12/2012 08:05:10.931 com.apple.launchd.peruser.502[369]: (com.apple.afpstat-qfa[498]) Job failed to exec(3). Setting up event to tell us when to try again: 2: No such file or directory
    04/12/2012 08:05:10.931 com.apple.launchd.peruser.502[369]: (com.apple.afpstat-qfa[498]) Job failed to exec(3) for weird reason: 2
    04/12/2012 08:05:10.967 com.apple.launchd.peruser.502[369]: (com.apple.MobileMeSyncClientAgent[510]) Job failed to exec(3). Setting up event to tell us when to try again: 2: No such file or directory
    04/12/2012 08:05:10.967 com.apple.launchd.peruser.502[369]: (com.apple.MobileMeSyncClientAgent[510]) Job failed to exec(3) for weird reason: 2
    04/12/2012 08:05:10.967 com.apple.launchd.peruser.502[369]: ([email protected][512]) Job failed to exec(3). Setting up event to tell us when to try again: 2: No such file or directory
    04/12/2012 08:05:10.967 com.apple.launchd.peruser.502[369]: ([email protected][512]) Job failed to exec(3) for weird reason: 2
    04/12/2012 08:05:11.058 prl_naptd[499]: Starting Parallels Network Daemon
    04/12/2012 08:05:11.142 schedulermailer[506]: SchedulerMailerController: started.
    04/12/2012 08:05:11.267 coreservicesd[72]: Can't change an application into stopped state for app App:"QuicKeys" [ 0x0/0xd00d]  @ 0x0x7fa6a5213bd0 because it's already been started.
    04/12/2012 08:05:11.310 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationReady to notificationID=189
    04/12/2012 08:05:11.000 kernel[0]: CODE SIGNING: cs_invalid_page(0x1000): p=507[GoogleSoftwareUp] clearing CS_VALID
    04/12/2012 08:05:11.000 kernel[0]: CODE SIGNING: cs_invalid_page(0x100000000): p=519[SmartDaemon] clearing CS_VALID
    04/12/2012 08:05:11.359 SmartDaemon[519]: Using Growl.framework 1.3 (1.3)
    04/12/2012 08:05:11.550 GrowlLauncher[486]: Launching Growl at URL: file://localhost/Applications/Growl.app/Contents/MacOS/Growl
    04/12/2012 08:05:12.474 sudo[531]:     root : TTY=unknown ; PWD=/ ; USER=rb ; COMMAND=/bin/launchctl load /Library/LaunchAgents/com.parallels.vm.prl_pcproxy.plist
    04/12/2012 08:05:12.775 sudo[533]:     root : TTY=unknown ; PWD=/ ; USER=rb ; COMMAND=/bin/launchctl start com.parallels.vm.prl_pcproxy
    04/12/2012 08:05:12.862 GrowlHelperApp[525]: WARNING: Could not register connection for GrowlApplicationBridgePathway
    04/12/2012 08:05:12.891 Growl[530]: WARNING: Could not register connection for GrowlApplicationBridgePathway
    04/12/2012 08:05:12.896 Growl[530]: publishing
    04/12/2012 08:05:13.268 Growl[530]: Setup timer, this should only happen once
    04/12/2012 08:05:13.269 Growl[530]: Next image check no earlier than 24 hours from 2012-12-03 23:59:00 +0000
    04/12/2012 08:05:13.413 GrowlHelperApp[525]: WARNING: could not register GrowlNotificationCenter for interprocess access
    04/12/2012 08:05:14.376 QuicKeys[401]: CGSReleaseWindowList: called with 1 invalid window(s)
    04/12/2012 08:05:14.376 QuicKeys[401]: void dispose_talagent_windows(CGSConnectionID, const CGSWindowID *, size_t): CGSReleaseWindowList(cid, (CGSWindowIDList)wids, count) returned CGError 1000 on line 331
    04/12/2012 08:05:14.417 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationReady to notificationID=244
    04/12/2012 08:05:14.578 GrowlHelperApp[526]: WARNING: could not register GrowlNotificationCenter for interprocess access
    04/12/2012 08:05:14.592 coreservicesd[72]: SendFlattenedData, got error #268435460 (ipc/send) timed out from ::mach_msg(), sending notification kLSNotifyApplicationReady to notificationID=246
    04/12/2012 08:05:14.691 WindowServer[308]: CGXSetWindowShadowParameters: Operation on a window 0x2d requiring rights kCGSWindowRightOwner by caller talagent
    04/12/2012 08:05:15.104 com.apple.SecurityServer[14]: Session 100012 created
    04/12/2012 08:05:18.213 Default Folder X Agent[558]: Error loading /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPScript ingAdditions:  dlopen(/Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QX PScriptingAdditions, 262): no suitable image found.  Did find:
              /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPS criptingAdditions: mach-o, but wrong architecture
    04/12/2012 08:05:18.518 KernelEventAgent[44]: tid 00000000 received event(s) VQ_LOWDISK, VQ_VERYLOWDISK (516)
    04/12/2012 08:05:18.000 kernel[0]: HFS: Vol: GoogleSoftwareUpdate-1.1.0.3659 Very Low Disk: freeblks: 1, dangerlimit: 3
    04/12/2012 08:05:19.392 iTunes[386]: Error loading /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPScript ingAdditions:  dlopen(/Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QX PScriptingAdditions, 262): no suitable image found.  Did find:
              /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPS criptingAdditions: mach-o, but wrong architecture
    04/12/2012 08:05:20.702 iData Lite[393]: Initializer-based scripting additions are no longer supported. "/Library/ScriptingAdditions/QXPScriptingAdditions.osax" not loaded.
    04/12/2012 08:05:20.000 kernel[0]: CODE SIGNING: cs_invalid_page(0x1000): p=602[ksadmin] clearing CS_VALID
    04/12/2012 08:05:20.739 osascript[606]: Error loading /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPScript ingAdditions:  dlopen(/Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QX PScriptingAdditions, 262): no suitable image found.  Did find:
              /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPS criptingAdditions: mach-o, but wrong architecture
    04/12/2012 08:05:20.964 osascript[607]: Error loading /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPScript ingAdditions:  dlopen(/Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QX PScriptingAdditions, 262): no suitable image found.  Did find:
              /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPS criptingAdditions: mach-o, but wrong architecture
    04/12/2012 08:05:23.914 Safari[392]: Error loading /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPScript ingAdditions:  dlopen(/Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QX PScriptingAdditions, 262): no suitable image found.  Did find:
              /Library/ScriptingAdditions/QXPScriptingAdditions.osax/Contents/MacOS/QXPS criptingAdditions: mach-o, but wrong architecture
    04/12/2012 08:05:23

  • Magnetic Strip cards and chip cards

    Hi all
    is there any difference between java magnetic strip card programming and java chip card programming ???
    Please i also want to know the applet loading mechanisim on strip card and its capabilities as compared to java chip card.

    My previous post regarding a MAC is a moot point as you can clone a magstripe anyway. You need to be aware of what the information on the magstripe gives you access to. In a loyalty card this is just the account number for accumulating points. In an ATM card this gives you access to a bank account. In this case the account number is used with the PIN to give access (a weak form of 2-factor authentication). A magstripe card would not store the key as this defeats the purpose. Everything on the magstripe is available to anyone with a reader.
    With a PIN, store the salted hash of the PIN (SHA2 family, not MD5 : ) and then compare hashes in your database to those entered for authentication. You would need a PIN or password to access the loyalty account.
    Cheers,
    Shane

  • Using JHS tables and hashing with salt algorithms for Weblogic security

    We are going to do our first enterprise ADF/JHeadstart application. For security part, we are going to do the following:
    1. We will use JHS tables as authentication for ADF security.
    2. We will use JAAS as authentication and Custom as authorization.
    2. We need to use JHeadStart security service screen in our application to manage users, roles and permission, instead of doing users/groups management within Weblogic.
    3. We will create new Weblogic SQL Authentication Provider.
    4. We will store salt with password in the database table.
    5. We will use Oracle MDS.
    There are some blogs online giving detail steps on how to create Weblogic SQL Authentication Provider and use JHS tables as authentication for ADF security. I am not sure about the implementation of hashing with salt algorithms, as ideally we'd like to use JHS security service screen in the application to manage users, roles and permission, not using Weblogic to do the users/groups management. We are going to try JMX client to interact with Weblogic API, looks like it is a flexiable approach. Does anybody have experience on working with JMX, SQL Authentication Provider and hashing with salt algorithms? Just want to make sure we are on the right track.
    Thanks,
    Sarah

    To be clear, we are planning on using a JMX client at the Entity level using custom JHS entitiy classes.
    BradW working with Sarah

  • Best Practice: Encrypt() vs hash() for password storing?  Also, salt storing?

    I'm trying to expand my knowledge on security, reading many articles about the different methods to doing so.  I've found the easiest two solutions to use, and that is Encrypt() and hash().  Here's how I'm using them -- I'm looking for which would be better security.
    For both methods, I am using a salt.
    <cfset salt = generateSecretKey('AES')>
    <cfset password = FORM.Password>
    With encrypt, this is all it takes:
    Encrypt(password, salt);
    With hash, i'm doing:
    hash(password & salt, 'SHA-512', 'UTF-8' );
    I can also loop the hash several times to give it more variation:
    hashed = hash( password & salt, arguments.algorithm, 'UTF-8' );
    for (i = 1; i LTE 1024; i=i+1) {
        hashed = hash( hashed & salt, arguments.algorithm, 'UTF-8' );
    So which method is going to be better protection if someone happened to come upon encrypted password information?  Is there a better (free/built-in) method than what I've described?
    Also, since both methods will require the original salt used, what's the best procedure for storing the salt?  In another database?  I've seen some examples store it as a Request variable in application.cfc, but that would allow anyone who has access to the code to see it.

    One consideration here: I would never return the user's previous password to them, I would change it to be a temporary one, make them use that to log in and then get them to reset it to something after that.
    I would never encrypt a pwd, I would always hash it.
    Mileage varies though: this is just another opinion for you to consider.
    Adam

  • Secure hash function with salt to create a not spoofable PRC (SAP CRM)

    Hello SAP Security Community,
    SAP CRM Marketing provides a functionality called Personalized Response Code (PRC, 10 characters). This code can be used in mail, fax, sms or letters to customers. When the customer returns the PRC to the communication initiator, it can be mapped to a campaign and the business partner number of the customer. See also the [SAP Standard Help|http://help.sap.com/saphelp_crm700_ehp01/helpdata/EN/2a/c13463f09c4a1f9c45903e7a0a7230/frameset.htm].
    By default this standard implementation of the BAdI CRM_MKT_PRC_CONVERT is called:
    METHOD if_ex_crm_mkt_prc_convert~convert_prc.
      DATA lv_no      TYPE  crmt_mkt_icrh_prc_num.
      DATA lv_string  TYPE  string.
      DATA lv_pos     TYPE  int4.
      DATA lv_base31  TYPE  string VALUE '0123456789BCDFGHJKLMNPQRSTVWXYZ'.
    **** converting the numeric-base10 into base31
      lv_no = iv_prc.
      CLEAR lv_string.
      DO.
        lv_pos = lv_no MOD 31.
        lv_no  = lv_no DIV 31.
        CONCATENATE lv_base31+lv_pos(1) lv_string INTO lv_string.
        IF lv_no = 0.
          EXIT.
        ENDIF.
      ENDDO.
      MOVE lv_string TO ev_prc.
    ENDMETHOD.
    As you can see it does a simple base31 encoding of the provided input parameter iv_prc which is a number provided by the number range for PRC's.
    I want to use the PRC to make our customers registration process for a trade fair easier. We send out the PRC via a letter to the customers where we don't have an E-Mail address. The letter contains instructions which point the user to a Website that has an input field for the PRC. When the user submits the PRC I'd like to show him/her some personal information (Name, Address, E-Mail) that we lookup using the PRC in the CRM System. This information is then posted to a 3rd party website that has to be used to do the trade fair registration.
    If I would use the simple base31 encoding, then the current counter state could be easily decoded, the next number can be chosen and by applying base31 encoding again, the next valid PRC is created. This could then be misused to read personal information of another customer. I think what could solve this problem would be to use a secure hash function that allows also to be salted to create the PRC.
    Do you think I'm on the right track? Or would it be OK to use the classes described in [Note 1410294 - Support SHA2-family for Message Digest and HMAC|https://service.sap.com/sap/support/notes/1410294] and before doing the hashing add a random number to the PRC number that I've got from the number range? What problems do I run in as the PRC could not be longer than 12 characters? For sure I have to check that I don't create any PRC twice.
    Best regards
    Gregor

    Knowledge of PCR should not reveal any personal information to you.
    OK, but in this case the PCR is mapped to the campaign number and the BP-number. It would reveal the information.  Hence a second hash which only allows further processing if it matches. The second hash is a "signature" of the PCR.
    I don't agree with this. The security should NOT be based on hiding how system works. Only key should be secret. In this case it should all depend on quality of PRNG. Check Kerckhoffs's principle. Whenever I see proprietary algorithm in crypto I start to feel nervous about the system.
    Ok, you convinced me. That is also true, but you will have to save the key or the hash it produces to be able to verify it again when the user returns to the website - and in this case it is in clear text ABAP (unless Mr. Wolf wants to create an external program, like SAP does with C-calls).
    From the perspective of the user it is a password and they must be able to transfer it from a snail-mail readable text on paper into a website field.
    As Mr. Wolf has noticed, the next PCRs can be obtained by anyone who can decode standard code (knowing that the BADI is activated).
    I think a correctly placed split and concatenation does the trick for a 20 character field without knowing which part is the PCR and which is the signature (a human can still enter that into a website field).
    I think the big question (appart from the principle - which I agree with you on) is whether the admins and their family members are allowed to bid? Also do the bidders have acces to this system as technical consultants?? (for example to single test methods and function modules in the production system??).
    Also how does the process continue and finally get concluded? Typically there is some "horse trading" in the end anyway... 
    All these factors should influence the strength and complexity of the design, and maintenance of it IMO.
    But generally you are correct and I rest my case.
    @ Mr. Wolf: Are you enjoying the debate too much or are you going to give us more insight?
    Cheers,
    Jules

Maybe you are looking for

  • Cannot install iTunes .. whatever I do ..

    Hey, I had iTunes 7.3. and always tried to upgrade to iTunes 7.5, well it didn't work an therefore I de-installed iTunes and Quick.Time from my Computer within the help from here --> http://docs.info.apple.com/article.html?artnum=93976-en after all t

  • PL/SQL code not working

    why is this code giving me error? declare type dept_tab_type is table of departments%rowtype; index by binary_integer; dept_tab dept_tab_type; v_counter number(3):= 270; begin for i in 10..v_count loop select * into dept_tab(i) from departments end l

  • Cd drive reads but doesn't burn

    soo..another woe with my work emac... so a couple weeks ago i noticed that my emac no longer will burn cds....the thing is, everything else about it is fine, it will read cds and let me import things off of them..it just won't let me burn... when i i

  • I've got all my music on my iphone already and have just got a new mac but for some reason i cant seem to get my music onto my mac. any ideas how to do it?

    right i've just recently got a new macbook air. for some reason i cant get the music that is already on my iphone onto my mac. have you got any ideas how to sort this out?

  • Missing method body or declare abstract...

    Hi There, Im working on an assignment that works with the math class and performs a bunch of mathematical functions. Im trying to declare the different fields in the math class and I keep getting error messages!! This is what I have right now public