How to get rid of "Oracle Portal" label(text) when mouse is over Logo.gif image

In several portal screens (for example:
Add Item wizard, Create Folder wizard,
Create Page Style Wizard, Account Info screen, Create Page wizard, Create Application Wizard, etc, etc.... )
there is like a Banner with the Logo.gif image and the text "Oracle Portal" displayed when the mouse is OVER Logo.gif
I know how to replace this image with our own file, but what i would like to know how to replace or eliminate the "Oracle Portal" text.
I imagine the information for this Template is stored somewhere in the database.
I will appreciate if someone can help me to identify where is located this info so I can delete/replace the text.
Any other suggestions will be wellcome.
Tks in advance
null

Malin,
when you install iAS, there is a directory
oracle_home\portal30\images where all the image files are stored.
for example, in my installation is:
D:\oracle\iSuites\portal30\images
one of the files is logo.gif, just overwrite that file with your own file (but keep the same name) and then your own logo or whatever you want will show up in the Portal.
pls note that there are different image files you may want to replace.
i hope it helps...
null

Similar Messages

  • How to get rid of /j2ee prefix from URL when I use the OC4J via Oracle HTTP server

    In 9iAS 9.0.2 Oracle HTTP Server (OHS) is pre-configured to assign requests to the Home OC4J instance via the URL-prefix "/j2ee"/
    For example, the TEST servlet under OC4J would be passed through OHS using:
    http://urmachine:urApachePort/j2ee/TEST
    whereas in the standlone OC4J version, this URL works:
    http://urmachine:urOC4JPort/TEST
    How to get rid of /j2ee prefix from URL when I use the OC4J via Oracle HTTP Server?

    It is getting the url prefix from mod_oc4j.conf
    under /ora9ias/Apache/Apache/conf
    You can read more on this at
    http://otn.oracle.com/docs/products/ias/doc_library/90200doc_otn/web.902/a92173/confmods.htm#1008977
    -Prasad

  • How do get rid of the google search box when I first open Firefox?

    How do get rid of the google search box when I first open Firefox?

    Firefox 4 and later versions use a new build-in home page named <b>about:home</b> with a Google search bar on it.
    That about:home page only shows some snippets and has a button to restore the previous session if applicable.
    If you want a home page with extras then set another page as the home page like www.google.com as used in Firefox 3 versions.
    *https://support.mozilla.com/kb/How+to+set+the+home+page
    See also:
    *Tools > Options > General > Startup: "When Firefox Starts": "Show my home page" "Show a blank page"

  • How To Get rid of Exponential format in datagridview when the number is very large

    When the number is very large like :290754232, I got 2.907542E +08. in datagridview cell
    I using vb.net , framework 2.0.
    how can I get rid of this format?
    Thanks in advance

    should I change the type of this column to integer or long ?
    The datagridview is binded to binding source and a list ( Of).
    Mike,
    I'll show you an example that shows the correct way to do this and a another way if you're stuck using strings in exponential format. The latter being the "hack way" I spoke about Friday. I don't like it, it's dangerous, but I'll show both anyway.
    In this example, I'm using Int64 because I don't know the range of yours. If your never exceeds Int32 then use that one instead.
    First, I have a DataGridView with three columns. I've populated the data just by creating longs starting with the maximum value in reverse order for 100 rows:
    The way that I created the data is itself not a great way (there's no encapsulation), but for this example "it'll do".
    Notice though that the third column (right-most column) isn't formatted at all. I commented out the part that does that so that I could then explain what I'm doing. If it works, it should look like the first column.
    The first column represents an actual Int64 and when I show the code, you can see how I'm formatting that using the DGV's DefaultCellStyle.Format property. That's how it SHOULD be done.
    The third column though is just a string and because that string contains a letter in it, Long.TryParse will NOT work. This is where the "hack" part comes in - and it's dangerous, but if you have no other option then ...
    You can see that now the third column matches the first column. Now the code:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Public Class Form1
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    With DataGridView1
    .AllowUserToAddRows = False
    .AllowUserToDeleteRows = False
    .AllowUserToOrderColumns = False
    .AllowUserToResizeRows = False
    .AlternatingRowsDefaultCellStyle.BackColor = Color.Aquamarine
    .ReadOnly = True
    .SelectionMode = DataGridViewSelectionMode.FullRowSelect
    .MultiSelect = False
    .RowHeadersVisible = False
    .RowTemplate.Height = 30
    .EnableHeadersVisualStyles = False
    With .ColumnHeadersDefaultCellStyle
    .Font = New Font("Tahoma", 9, FontStyle.Bold)
    .BackColor = Color.LightGreen
    .WrapMode = DataGridViewTriState.True
    .Alignment = DataGridViewContentAlignment.MiddleCenter
    End With
    .ColumnHeadersHeightSizeMode = DataGridViewColumnHeadersHeightSizeMode.DisableResizing
    .ColumnHeadersHeight = 50
    .DataSource = Nothing
    .Enabled = False
    End With
    CreateData()
    End Sub
    Private Sub CreateData()
    Dim longList As New List(Of Long)
    For l As Long = Long.MaxValue To 0 Step -1
    longList.Add(l)
    If longList.Count = 100 Then
    Exit For
    End If
    Next
    Dim stringList As New List(Of String)
    For Each l As Long In longList
    stringList.Add(l.ToString("e18"))
    Next
    Dim dt As New DataTable
    Dim column As New DataColumn
    With column
    .DataType = System.Type.GetType("System.Int64")
    .ColumnName = "Actual Long Value (Shown Formated)"
    dt.Columns.Add(column)
    End With
    column = New DataColumn
    With column
    .DataType = System.Type.GetType("System.String")
    .ColumnName = "String Equivalent"
    dt.Columns.Add(column)
    End With
    column = New DataColumn
    With column
    .DataType = System.Type.GetType("System.String")
    .ColumnName = "Formated String Equivalent"
    dt.Columns.Add(column)
    End With
    Dim row As DataRow
    For i As Integer = 0 To longList.Count - 1
    row = dt.NewRow
    row("Actual Long Value (Shown Formated)") = longList(i)
    row("String Equivalent") = stringList(i)
    row("Formated String Equivalent") = stringList(i)
    dt.Rows.Add(row)
    Next
    Dim bs As New BindingSource
    bs.DataSource = dt
    BindingNavigator1.BindingSource = bs
    DataGridView1.DataSource = bs
    With DataGridView1
    With .Columns(0)
    .DefaultCellStyle.Format = "n0"
    .Width = 150
    End With
    .Columns(1).Width = 170
    .Columns(2).AutoSizeMode = DataGridViewAutoSizeColumnMode.Fill
    .Enabled = True
    End With
    End Sub
    ' The following is what I commented
    ' out for the first screenshot. ONLY
    ' do this if there is absolutely no
    ' other way though - the following
    ' casting operation is NOT ADVISABLE!
    Private Sub DataGridView1_CellFormatting(ByVal sender As Object, _
    ByVal e As System.Windows.Forms.DataGridViewCellFormattingEventArgs) _
    Handles DataGridView1.CellFormatting
    If e.ColumnIndex = 2 AndAlso e.Value.ToString IsNot Nothing Then
    ' NOTE! The following is dangerous!
    ' I'm going to use coercion to force the
    ' string into a type long. TryParse will
    ' NOT work here. This can easily throw an
    ' exception if the string cannot be cast
    ' to a type long. I'm "depending on" the
    ' the string to cast. At the very least
    ' you might put this in a Try/Catch but
    ' that won't stop it from failing (if
    ' it doesn't work).
    Dim actualValue As Long = CType(e.Value.ToString, Long)
    Dim formattedValue As String = actualValue.ToString("n0")
    e.Value = formattedValue
    End If
    End Sub
    End Class
    Like I said, only use that hack way if there's no other option!
    I hope it helps. :)
    Still lost in code, just at a little higher level.

  • How to get rid of rpc.html pop up when browser opens

    when using firefox with my comcast home page, i get a pop up saying you have chosen to open rpc.html. how can i get rid of this?

    My guess is that there is a "hot spot" that when the cursor rolls over this area it triggers the download of the obnoxious rpc.html coding that drops into a person's download file. Now why someone would go to the trouble of setting up this type of non-consequential ruse if beyond me. Maybe this is just an errant html code glitch? It seems to be localized between Firefox and Comcast (Xfinity). Funny that one message says that each side to this problem is pointing the accusing finger toward the other. Glad, for a change, the computer user is not incorrectly targeted as the source of the problem.
    But the issue of a set of volunteers working on the problem and not being able to fix it is disturbing. Hope they (whomever) can solve the puzzle.
    I am finding my computer is not able to download Open Office for some reason. Spent ten hours trying to figure this out. Just gave up. I like Firefox but if I continue to have these types of problems, even if not proven to be related, I am going to have to find another solution, somewhere.

  • How to get rid of blue bar at top when tethering?

    I would like to get rid of the blue bar at the top og my Iphone 4 when it is tethering its internet connection. What is interesting is my girlfriends iphone does not show this blue bar when tethering. Instead it shows a small icon in the top left next to the signal indicator. Could this be a carrier tweak. We both use AIS in Bangkok Thailand but her phone was originally bought from True mobile and mine was bought in China at an Apple store. Of course it is not a fake Iphone for any of you skeptics. I checked the serial with Apple in canada and it is real. I even had it in for free warranty repair one time in Bangkok.  Any help would be appreciated. I don't like this blue bar and want mine to appear like hers. It cuts the screen shorter and limits my use of the phone while tethering.

    use following add on
    https://addons.mozilla.org/en-US/firefox/addon/app-button-remove/?src=api
    it will removes the orange button of left hand side ,see the attached image what will this add on do

  • How to get ride of a black space box on screen

    how to get ride of a black floating text box from the computer.

    Turn off VoiceOver in the Universal Access or Accessibility pane of System Preferences.
    (88073)

  • "Portal Content Area Builder" how to get rid of this page heading?

    "Portal Content Area Builder" how to get rid of this page heading?
    Hi All
    I have created a Single page Website..??? by using folders.
    when a user click on any link that call a folder but not a page and that folder is displayed with the layout specified in "Content Area Page" however there is no such option available to change the Heading <Title>Page title</Title> for browsers so for every folder called it displays a Oracle defined Content area page title.
    "Portal Content Area Builder"
    Is there anywork around for this.
    Thanks.
    Rakesh.

    This problem is fixed in Release 2. There is no supported workaround in 3.0.

  • How to get rid of the Login page in Portal?

    Hi Guys,
    I have a newly developed intranet portal project for my company which does not need login no more. I hope you can help me how to get rid of the login page in portal which is I know in every application you create, there should be a login. Is this possible that I can just simply type in to the URL address bar my application then it will no longer ask for any logins? Please help! Many thanks!
    Russel

    Hi Russel,
    You can give public access to pages, applications etc. Users won't need to supply a username/password then, while you still can hide some of the pages to authorized people.
    Check the access tab for pages and the manage tab for applications.

  • I've got OSX/Genieo.A virus on my mac and don't know how to get rid of it and why I have it

    I've got OSX/Genieo.A virus on my mac and don't know how to get rid of it and w I have it

    There is no need to download anything to solve this problem.
    You installed the "Genieo" malware. The product is a fraud, and the developer knowingly distributes an uninstaller that doesn't work. I suggest the procedure below to disable Genieo. This procedure may leave a few small files behind, but it will permanently deactivate the malware (as long as you never reinstall it.)
    Malware is always changing to get around the defenses against it. These instructions are valid as of now, as far as I know. They won't necessarily be valid in the future. Anyone finding this comment a few days or more after it was posted should look for more recent discussions or start a new one.
    Back up all data before proceeding.
    Step 1
    Triple-click anywhere in the line below on this page to select it:
    /Library/Frameworks/GenieoExtra.framework
    Right-click or control-click the line and select
              Services ▹ Reveal in Finder (or just Reveal)
    from the contextual menu.
    If you don't see the contextual menu item, copy the selected text to the Clipboard by pressing the key combination command-C. In the Finder, select
              Go ▹ Go to Folder...
    from the menu bar and paste into the box that opens by pressing command-V. You won't see what you pasted because a line break is included. Press return.
    A folder should open with an item named "GenieoExtra.framework" selected. Move that item to the Trash. You'll be prompted for your administrator password.
    Move each of these items to the Trash in the same way:
    /Applications/Genieo.app
    /Applications/Reset Search.app
    /Applications/Uninstall Genieo.app
    /Library/LaunchAgents/com.genieo.completer.update.plist
    /Library/LaunchAgents/com.genieo.engine.plist
    /Library/LaunchAgents/com.genieoinnovation.macextension.plist
    /Library/LaunchDaemons/com.genieoinnovation.macextension.client.plist
    /Library/PrivilegedHelperTools/com.genieoinnovation.macextension.client
    /usr/lib/libgenkit.dylib
    /usr/lib/libgenkitsa.dylib
    /usr/lib/libimckit.dylib
    /usr/lib/libimckitsa.dylib
    ~/Library/Application Support/com.genieoinnovation.Installer
    ~/Library/LaunchAgents/com.genieo.completer.download.plist
    ~/Library/LaunchAgents/com.genieo.completer.update.plist
    If there are other items with a name that includes "Genieo" or "genieo" alongside any of those listed above, move them as well. Some of these items will be absent, in which case you'll get a message that the file can't be found. Skip that item and go on to the next one.
    Restart and empty the Trash. Don't try to empty the Trash until you have restarted.
    Step 2
    From the Safari menu bar, select
              Safari ▹ Preferences... ▹ Extensions
    Uninstall any extensions you don't know you need, including ones called "Genieo" or "Omnibar," and any that have the word "Spigot" or "InstallMac" in the description. If in doubt, uninstall all extensions. Do the equivalent for the Firefox and Chrome browsers, if you use either of those.
    Your web browser(s) should now be working, and you should be able to reset the home page and search engine. If not, stop here and post your results.
    Make sure you don't repeat the mistake that led you to install this trojan. Chances are you got it from an Internet cesspit such as "Softonic" or "CNET Download." Never visit either of those sites again. You might also have downloaded it from an ad in a page on some other site. The ad has a large green button labeled "Download" or "Download Now" in white letters. The button is designed to confuse people who intend to download something else on the same page. If youever download a file that isn't obviously what you expected, delete it immediately.
    You may be wondering why you didn't get a warning from Gatekeeper about installing software from an unknown developer, as you should have. The reason is that this Internet criminal has a codesigning certificate issued by Apple, which causes Gatekeeper to give the installer a pass. Apple could revoke the certificate, but as of this writing, has not done so, even though it's aware of the problem. This failure of oversight has compromised both Gatekeeper and the Developer ID program. You can't rely on Gatekeeper alone to protect you from harmful software.
    Finally, be forewarned that when Genieo is mentioned on this site, the attacker sometimes shows up under the name "Genieo support." He will tell you to run a fake "uninstaller." As he intends, the uninstaller does not completely remove the malware, and is in fact malware itself.

  • How to get rid of border in the RowSetBrowser

    I use the RowSetBrowser object with rounded corners option switched off like this:
    RowSetBrowser.setUseRoundedCorners(false);
    This creates the web page where the records are shown within the table with ugly border.
    How to get rid of this table border ?
    I have not found any relevant method in the class oracle.jbo.html.databeans.RowSetBrowser.
    This is what is generated by JSP:
    <TABLE WIDTH="100%" BORDER="1" CLASS="clsTableControl" >
    </TABLE>
    This is what I want:
    <TABLE WIDTH="100%" BORDER="0" CLASS="clsTableControl" >
    </TABLE>
    I have to use Netscape as the browser and therefore can not override BORDER setting in the CSS class definition.
    This works fine for IE but not for Netscape:
    .clsTableControl
    border-style:none;
    borderstyle:none;
    Anybody experienced similar problem?
    Thanks,
    Michael
    null

    I've found the solution, this way it worked:
    "Concepts: " & CStr({DevelopmentTracking_SELECT.Concepts}, 0)

  • How to get rid of ROWID in Join query -- ORA-00918: column ambiguously defined

    Hi, All
    the source of my data block is from two tables Emp and Title. My select statements is:
    select a.name, b.title, b.start_date, b.end_date from Emp a, Title b where a.id = b.emp_id
    But at run time, I got "ORA-00918: column ambiguously defined"
    the wrapped statement becomes:
    SELECT ROWID,a.name, b.title, b.start_date, b.end_date from Emp a, Title b where a.id = b.emp_id
    I run the query in SQL*PLUS, found out it was ROWID caused problem.
    Can anybody tell me how to get rid of ROWID? or I missed something in datablock defination?
    Thanks in adance.
    Deborah

    I guess you are using oracle 7.x. In Oracle 8 and onwards, database lets you select ROWID from the views based on multiple views as long as view definition does not contain any aggregated functions or DISTINCT in it. Now coming back to forms ..Forms runtime engine uses ROWID to identify rows uniquely unless specified otherwise. If you are using forms 4.5/5.0 against Oracle 7.x , then change these properties and you should be able to run the form.
    BLOCK PROPERTY
    Key Mode : can be either updateable OR Non-updateable
    ( Certainly not 'Unique' .. That forces forms runtime engine to use ROWID to identify unique rows. )
    ITEM PROPERTY
    Identify one of the block items as unique. And then set the following property
    Primary Key : True.
    This should take care of rowid problem.
    Regards,
    Murali.
    Hi, All
    the source of my data block is from two tables Emp and Title. My select statements is:
    select a.name, b.title, b.start_date, b.end_date from Emp a, Title b where a.id = b.emp_id
    But at run time, I got "ORA-00918: column ambiguously defined"
    the wrapped statement becomes:
    SELECT ROWID,a.name, b.title, b.start_date, b.end_date from Emp a, Title b where a.id = b.emp_id
    I run the query in SQL*PLUS, found out it was ROWID caused problem.
    Can anybody tell me how to get rid of ROWID? or I missed something in datablock defination?
    Thanks in adance.
    Deborah

  • How to integrate EBS in Oracle Portal?

    How to integrate EBS in Oracle Portal?
    I want to integrate EBS with Oracle Portal.
    How to do SSO?

    Hi
    You shuld take a look to the metalink note Note:233436.1 "Installing Oracle Application Server 10g with Oracle E-Business Suite Release 11i", there you will get info how to SSO them..
    If yuo want to integrate (no SSO) you can use some other solutions like webclipping, iframe, etc...

  • How to get rid of ask toolbar on a mac using chrome browser

    how to get rid of ask toolbar on a mac using chrome browser

    How to remove Ask toolbar?
    You may find this helpful.
    http://support.mindspark.com/link/portal/30028/30031/Article/1543/Toolbar-Remova l-Instructions-for-Mac-OSx-Users

  • How to get rid of pop ups

    how to get rid of pop ups

    Could you please help us repair our Macbook after downloading MPlayerX. Followed your instructions from an earlier post and the result is as follows, hoping it helps.
    Thanks in anticipation
    Start time: 21:18:19 03/21/15
    Revision: 1237
    Model Identifier: MacBook7,1
    Memory: 2 GB
    System Version: Mac OS X 10.6.8 (10K549)
    Kernel Version: Darwin 10.8.0
    64-bit Kernel and Extensions: No
    Time since boot: 35 days 20:35
    UID: 501
    Graphics/Displays
        NVIDIA GeForce 320M
            Color LCD (Main)
            Display Connector
    SerialATA
        Hitachi HTS545025B9SA02                
    VM
        Pageouts: 903201
    File opens (per sec)
        RealPlayer Down (UID 501) => /private/var/folders/rG/rGFFQw8IFXCCMRtksag4TE+++TI/-Tmp-/TemporaryItems (status 0): 3
    XPC cache: No
    Listeners
        cupsd: ipp
        krb5kdc: kerberos
        launchd: afpovertcp
        launchd: microsoft-ds
        launchd: netbios-ssn
        launchd: ssh
    Diagnostic reports
        2015-03-15 plugin-container crash
        2015-03-21 InstallerT crash
        2015-03-21 plugin-container crash
    I/O errors
        disk1s1: do_jnl_io: strategy err 0x6 2
        disk6s2: do_jnl_io: strategy err 0x6 1
    Volumes
        disk0s2:
        disk3s1:
        disk1s1:
    HCI errors
        Bus: 0x26 Addr: 2 Errors: 15
    USB
        USB High-Speed Bus
          Host Controller Location: Built-in USB
          Host Controller Driver: AppleUSBEHCI
          Bus Number: 0x24
            Built-in iSight
              Location ID: 0x24600000 / 2
              Current Available (mA): 500
              Current Required (mA): 500
        USB High-Speed Bus
          Host Controller Location: Built-in USB
          Host Controller Driver: AppleUSBEHCI
          Bus Number: 0x26
        USB Bus
          Host Controller Location: Built-in USB
          Host Controller Driver: AppleUSBOHCI
          Bus Number: 0x06
            BRCM2070 Hub
              Location ID: 0x06600000 / 3
              Current Available (mA): 500
              Current Required (mA): 94
                Bluetooth USB Host Controller
                  BSD Name: en4
                  Location ID: 0x06630000 / 4
                  Current Available (mA): 500
                  Current Required (mA): 0
            Apple Internal Keyboard / Trackpad
              Location ID: 0x06300000 / 2
              Current Available (mA): 500
              Current Required (mA): 40
        USB Bus
          Host Controller Location: Built-in USB
          Host Controller Driver: AppleUSBOHCI
          Bus Number: 0x04
    Shutdown codes
        -60 1
    Kernel log
        Sat Mar 21 12:43:21 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (d2,2ee6)->(db,2d69).
        Sat Mar 21 12:43:26 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (ec,269d)->(ee,51d).
        Sat Mar 21 12:43:30 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (f1,231d)->(f9,2375).
        Sat Mar 21 12:43:31 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (fb,1375)->(fd,2759).
        Sat Mar 21 12:43:35 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (10a,1b06)->(10d,149e).
        Sat Mar 21 12:43:56 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (147,736)->(157,751).
        Sat Mar 21 12:44:50 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (21a,1c72)->(21b,224f).
        Sat Mar 21 12:45:25 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (296,2098)->(297,2f45).
        Sat Mar 21 12:45:58 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (30d,2c50)->(30f,16ee).
        Sat Mar 21 12:46:01 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (315,1eee)->(318,a67).
        Sat Mar 21 12:46:02 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (31b,2c67)->(31d,44e).
        Sat Mar 21 13:13:48 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (1b9,2be3)->(1bc,1bd4).
        Sat Mar 21 13:14:01 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (1e8,214)->(1eb,29a9).
        Sat Mar 21 13:14:28 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (24c,e76)->(24d,2a38).
        Sat Mar 21 13:14:48 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (292,2d96)->(294,a78).
        Sat Mar 21 13:15:33 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (333,2235)->(335,e78).
        Sat Mar 21 13:22:55 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (966,13c0)->(967,280d).
        Sat Mar 21 14:10:23 Sound assertion "0 != result" failed in AppleMikeyDevice at line 765 goto handler
        Sat Mar 21 14:10:23 Sound assertion "0 != result" failed in AppleMikeyDevice at line 795 goto handler
        Sat Mar 21 14:10:23 Sound assertion "0 != dispatchToStateMachinePosition ( dequeuedEvent )" failed in AppleMikeyDevice at line 721 goto handler
        Sat Mar 21 14:19:50 IOAudioStream[0x5da9f00]::clipIfNecessary() - Error: attempting to clip to a position more than one buffer ahead of last clip position (7ec,185a)->(7ed,246d).
        Sat Mar 21 17:31:29 Sound assertion "0 != result" failed in AppleMikeyDevice at line 765 goto handler
        Sat Mar 21 17:31:29 Sound assertion "0 != result" failed in AppleMikeyDevice at line 795 goto handler
        Sat Mar 21 17:31:29 Sound assertion "0 != dispatchToStateMachinePosition ( dequeuedEvent )" failed in AppleMikeyDevice at line 721 goto handler
        Sat Mar 21 20:24:16 jnl: disk6s2: close: journal 0x55f7e04, is invalid.  aborting outstanding transactions
    System log
        Sat Mar 21 13:23:44 /Applications/Firefox.app/Contents/MacOS/plugin-container.app/Contents/MacOS/pl ugin-container ava error: addNewReferenceEntryMMCO ref (3) buffer is full (retire_cnt = 0, fnumMin = 4, lte = 0, sidx = 4, sid = 12 *)
        Sat Mar 21 16:24:51 mDNSResponder PenaltyTimeForServer: PenaltyTime negative -107383, (server penaltyTime 1210501235, timenow 1210608618) resetting the penalty
        Sat Mar 21 19:36:30 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 19:36:30 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 19:36:30 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 19:36:31 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 19:36:31 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 19:36:31 firefox CGAffineTransformInvert: singular matrix.
        Sat Mar 21 20:23:16 mDNSResponder PenaltyTimeForServer: PenaltyTime negative -12076, (server penaltyTime 1224901235, timenow 1224913311) resetting the penalty
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:24:16 kernel
        Sat Mar 21 20:27:34 fseventsd event logs in /Volumes/Backups/.fseventsd out of sync with volume.  destroying old logs. (101926 0 102146)
        Sat Mar 21 20:27:34 fseventsd log dir: /Volumes/Backups/.fseventsd getting new uuid: UUID
        Sat Mar 21 20:31:49 com.apple.backupd Event store UUIDs don't match for volume: Macintosh HD
        Sat Mar 21 20:31:49 com.apple.backupd Node requires deep traversal:/ reason:must scan subdirs|new event db|
    Console log
        Sat Mar 21 21:15:18 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:15:28 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:15:38 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:15:48 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:15:58 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:08 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:18 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:28 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:38 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:48 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:16:58 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:08 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:18 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:28 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:38 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:48 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:17:58 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:08 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:18 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:28 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:39 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:49 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:18:59 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:19:09 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
        Sat Mar 21 21:19:19 com.apple.launchd.peruser.501 cn.com.zte.mobile.usbswapper.plist: posix_spawn("/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile", ...): No such file or directory
    Daemons
        cn.com.zte.PPPMonitor.plist
        com.adobe.fpsaud
        com.apple.suhelperd
        -    status: 2
        com.openssh.sshd
        com.rim.BBDaemon
        com.vix.cron
        com.zeobit.MacKeeper.AntiVirus
        com.zeobit.MacKeeper.plugin.AntiTheft.daemon
        de.novamedia.VMRServer
        jp.co.canon.MasterInstaller
        org.apache.httpd
        org.cups.cupsd
        org.ntp.ntpd
        org.postfix.master
        org.samba.nmbd
        org.samba.smbd
        org.x.privileged_startx
    Agents
        cn.com.zte.mobile.usbswapper.plist
        -    status: 1
        com.Installer.completer.download
        com.Installer.completer.ltvbit
        com.Installer.completer.update
        com.apple.Kerberos.renew.plist
        -    status: 1
        com.apple.mrt.uiagent
        -    status: 255
        com.codecm.uploader
        com.google.keystone.user.agent
        com.jdibackup.ZipCloud.notify
        com.rim.BBLaunchAgent
        com.rim.RimAlbumArtDaemon
        com.sierrawireless.SwitchTool
        com.spotify.webhelper
        com.zeobit.MacKeeper.Helper
        org.openbsd.ssh-agent
        org.x.startx
    User overrides
        jp.co.canon.Inkjet_Extended_Survey_Agent
    Startup items
        /Library/StartupItems/iCoreService/iCoreService
        /Library/StartupItems/iCoreService/StartupParameters.plist
    Global login items
        /Library/Application Support/TrendMicro/TmccMac/TmLoginMgr.app
        /Library/Application Support/BlackBerry/BlackBerry Device Manager.app
    User login items
        iTunesHelper
        -    missing value
        AirPort Utility
        -    missing value
        Kindle
        -    /Applications/Kindle.app
        Dropbox
        -    /Applications/Dropbox.app
        Android File Transfer Agent
        -    /Users/USER/Library/Application Support/Google/Android File Transfer/Android File Transfer Agent.app
        fuspredownloader
        -    missing value
        RealPlayer Downloader Agent
        -    /Users/USER/Library/Application Support/RealNetworks/RealPlayer Downloader Agent.app
        KiesAgent
        -    /Applications/Kies.app/Contents/MacOS/KiesAgent.app
        TmLoginMgr
        -    /Library/Application Support/TrendMicro/TmccMac/TmLoginMgr.app
        BlackBerry Device Manager
        -    /Library/Application Support/BlackBerry/BlackBerry Device Manager.app
    Firefox extensions
        Google Translator for Firefox
        Words-Chinese Pinyin Dictionary
        Test Pilot
    Widgets
        Currency Converter
    Restricted files: 2944
    Lockfiles: 25
    Universal Access
    Contents of /Library/LaunchAgents/cn.com.zte.mobile.usbswapper.plist
        -    mod date: Sep 27 21:40:29 2011
        -    checksum: 1550256407
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>cn.com.zte.mobile.usbswapper.plist</string>
            <key>OnDemand</key>
            <false/>
            <key>ProgramArguments</key>
            <array>
                <string>/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>program</key>
            <string>/Applications/Join Me.app/Contents/Resources/Mac_SwapperDemonForMobile.app/Contents/MacOS/Mac_Swap perDemonForMobile</string>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.rim.BBAlbumArtCacher.plist
        -    mod date: Nov  9 09:24:42 2011
        -    checksum: 2868431736
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>KeepAlive</key>
            <true/>
            <key>Label</key>
            <string>com.rim.RimAlbumArtDaemon</string>
            <key>OnDemand</key>
            <false/>
            <key>Program</key>
            <string>/Library/Application Support/BlackBerry/RimAlbumArtDaemon</string>
            <key>ProgramArguments</key>
            <array>
                <string>RimAlbumArtDaemon</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.rim.BBLaunchAgent.plist
        -    mod date: Nov  9 09:24:43 2011
        -    checksum: 908705504
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>KeepAlive</key>
            <true/>
            <key>Label</key>
            <string>com.rim.BBLaunchAgent</string>
            <key>OnDemand</key>
            <false/>
            <key>Program</key>
            <string>/Library/Application Support/BlackBerry/BBLaunchAgent.app</string>
            <key>ProgramArguments</key>
            <array>
                <string>BBLaunchAgent</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.sierrawireless.SwitchTool.plist
        -    mod date: Sep  8 04:26:41 2010
        -    checksum: 872926754
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.sierrawireless.SwitchTool</string>
            <key>ProgramArguments</key>
            <array>
                <string>/Library/Sierra/SierraDevSupport</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>TimeOut</key>
            <integer>90</integer>
            <key>KeepAlive</key>
            <true/>
        </dict>
        </plist>
    Contents of /Library/LaunchDaemons/cn.com.zte.PPPMonitor.plist
        -    mod date: Feb  9 14:34:28 2009
        -    checksum: 4232615395
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>cn.com.zte.PPPMonitor.plist</string>
            <key>OnDemand</key>
            <false/>
            <key>ProgramArguments</key>
            <array>
                <string>/Library/Application Support/ZTE/PPPMonitord</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>program</key>
            <string>/Library/Application Support/ZTE/PPPMonitord</string>
        </dict>
        </plist>
    Contents of /Library/LaunchDaemons/com.zeobit.MacKeeper.AntiVirus.plist
        -    mod date: Sep 20 11:22:10 2011
        -    checksum: 4244331265
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
            <dict>
                <key>Disabled</key>
                <false/>
                <key>Label</key>
                <string>com.zeobit.MacKeeper.AntiVirus</string>
                <key>Program</key>
                <string>/Library/Application Support/MacKeeper/AntiVirus.app/Contents/MacOS/AntiVirus</string>
                <key>OnDemand</key>
                <false/>
            </dict>
        </plist>
    Contents of /Library/LaunchDaemons/com.zeobit.MacKeeper.plugin.AntiTheft.daemon.plist
        -    mod date: Sep 20 11:15:14 2011
        -    checksum: 3798729423
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
            <dict>
                <key>Disabled</key>
                <false/>
                <key>Label</key>
                <string>com.zeobit.MacKeeper.plugin.AntiTheft.daemon</string>
                <key>Program</key>
                <string>/Library/Application Support/MacKeeper/MacKeeperATd</string>
                <key>OnDemand</key>
                <false/>
            </dict>
        </plist>
    Contents of /Library/LaunchDaemons/jp.co.canon.MasterInstaller.plist
        -    mod date: May 21 15:15:24 2014
        -    checksum: 1894334785
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>jp.co.canon.MasterInstaller</string>
            <key>ProgramArguments</key>
            <array>
                <string>/Library/PrivilegedHelperTools/jp.co.canon.MasterInstaller</string>
            </array>
            <key>ServiceIPC</key>
            <true/>
            <key>Sockets</key>
            <dict>
                <key>MasterSocket</key>
                <dict>
                    <key>SockFamily</key>
                    <string>Unix</string>
                    <key>SockPathMode</key>
                    <integer>438</integer>
                    <key>SockPathName</key>
                    <string>/var/run/jp.co.canon.MasterInstaller.socket</string>
                    <key>SockType</key>
                    <string>Stream</string>
                </dict>
        ...and 3 more line(s)
    Contents of /System/Library/LaunchAgents/com.apple.AirPortBaseStationAgent.plist
        -    mod date: Jun 24 20:01:21 2011
        -    checksum: 1071213906
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>EnableTransactions</key>
            <true/>
            <key>KeepAlive</key>
            <dict>
                <key>PathState</key>
                <dict>
                    <key>/Library/Preferences/com.apple.AirPortBaseStationAgent.launchd</key>
                    <true/>
                </dict>
            </dict>
            <key>Label</key>
            <string>com.apple.AirPortBaseStationAgent</string>
            <key>ProgramArguments</key>
            <array>
                <string>/System/Library/CoreServices/AirPort Base Station Agent.app/Contents/MacOS/AirPort Base Station Agent</string>
                <string>-launchd</string>
                <string>-allowquit</string>
            </array>
        </dict>
        </plist>
    Contents of /System/Library/LaunchDaemons/com.apple.xprotectupdater.plist
        -    mod date: Jun 11 06:13:23 2013
        -    checksum: 2156521427
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.apple.xprotectupdater</string>
            <key>ProgramArguments</key>
            <array>
                <string>/usr/libexec/XProtectUpdater</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>StartCalendarInterval</key>
            <dict>
                <key>Hour</key>
                <integer>21</integer>
                <key>Minute</key>
                <integer>10</integer>
            </dict>
        </dict>
        </plist>
    Contents of /System/Library/LaunchDaemons/de.novamedia.VMRServer.plist
        -    mod date: Aug 29 20:04:21 2012
        -    checksum: 2973122774
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>de.novamedia.VMRServer</string>
            <key>RunAtLoad</key>
            <true/>
            <key>OnDemand</key>
            <false/>
            <key>WorkingDirectory</key>
            <string>/usr/local/bin</string>
            <key>ProgramArguments</key>
            <array>
                <string>/usr/local/bin/VMRServer</string>
            </array>
            <key>ServiceDescription</key>
            <string>Vodafone Mobile Wi-Fi</string>
        </dict>
        </plist>
    Contents of /private/etc/authorization
        -    mod date: Feb 14 00:47:29 2015
        -    checksum: 3542104272
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>comment</key>
            <string>The name of the requested right is matched against the keys.  An exact match has priority, otherwise the longest match from the start is used.    Note that the right will only match wildcard rules (ending in a ".") during this reduction.
        allow rule: this is always allowed
        &lt;key&gt;com.apple.TestApp.benign&lt;/key&gt;
        &lt;string&gt;allow&lt;/string&gt;
        deny rule: this is always denied
        &lt;key&gt;com.apple.TestApp.dangerous&lt;/key&gt;
        &lt;string&gt;deny&lt;/string&gt;
        user rule: successful authentication as a user in the specified group(5) allows the associated right.
        The shared property specifies whether a credential generated on success is shared with other apps (i.e., those in the same "session"). This property defaults to false if not specified.
        The timeout property specifies the maximum age of a (cached/shared) credential accepted for this rule.
        The allow-root property specifies whether a right should be allowed automatically if the requesting process is running with uid == 0.  This defaults to false if not specified.
        See remaining rules for examples.
        </string>
            <key>rights</key>
            <dict>
                <key></key>
                <dict>
                    <key>class</key>
                    <string>rule</string>
                    <key>comment</key>
        ...and 971 more line(s)
    Contents of /private/etc/hosts
        -    mod date: Feb 10 17:28:54 2015
        -    checksum: 1028826818
        127.0.0.1    localhost
        255.255.255.255    broadcasthost
        ::1             localhost
        fe80::1%lo0    localhost
        10.0.0.138    pocket.wifi
    Contents of Library/LaunchAgents/com.Installer.completer.download.plist
        -    mod date: Mar 21 12:47:58 2015
        -    checksum: 2802156794
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.Installer.completer.download</string>
            <key>ProgramArguments</key>
            <array>
                <string>/Users/USER/Library/Application Support/IM.Installer/Completer.app/Contents/MacOS/InstallerT</string>
                <string>-trigger</string>
                <string>download</string>
                <string>-isDev</string>
                <string>0</string>
                <string>-installVersion</string>
                <string>17498</string>
                <string>-firstAppId</string>
                <string>544010071</string>
            </array>
            <key>WatchPaths</key>
            <array>
                <string>/Users/USER/Downloads</string>
            </array>
            <key>isAllowToSuggest</key>
            <string>false</string>
        </dict>
        ...and 1 more line(s)
    Contents of Library/LaunchAgents/com.Installer.completer.ltvbit.plist
        -    mod date: Mar 21 12:47:59 2015
        -    checksum: 3353910712
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.Installer.completer.ltvbit</string>
            <key>ProgramArguments</key>
            <array>
                <string>/Users/USER/Library/Application Support/IM.Installer/Completer.app/Contents/MacOS/InstallerT</string>
                <string>-trigger</string>
                <string>ltvbit</string>
                <string>-isDev</string>
                <string>0</string>
                <string>-installVersion</string>
                <string>17498</string>
                <string>-firstAppId</string>
                <string>544010071</string>
            </array>
            <key>StartCalendarInterval</key>
            <dict>
                <key>Hour</key>
                <integer>4</integer>
                <key>Minute</key>
                <integer>49</integer>
            </dict>
        ...and 2 more line(s)
    Contents of Library/LaunchAgents/com.Installer.completer.update.plist
        -    mod date: Mar 21 12:47:58 2015
        -    checksum: 3717148078
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.Installer.completer.update</string>
            <key>ProgramArguments</key>
            <array>
                <string>/Users/USER/Library/Application Support/IM.Installer/Completer.app/Contents/MacOS/InstallerT</string>
                <string>-trigger</string>
                <string>update</string>
                <string>-isDev</string>
                <string>0</string>
                <string>-installVersion</string>
                <string>17498</string>
                <string>-firstAppId</string>
                <string>544010071</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>StartCalendarInterval</key>
            <dict>
                <key>Hour</key>
                <integer>12</integer>
                <key>Minute</key>
        ...and 4 more line(s)
    Contents of Library/LaunchAgents/com.codecm.uploader.plist
        -    mod date: Apr  5 10:32:01 2012
        -    checksum: 1595122189
        <?xml version=1.0 encoding=UTF-8?> <!DOCTYPE plist PUBLIC -//Apple//DTD PLIST 1.0//EN http://www.apple.com/DTDs/PropertyList-1.0.dtd> <plist version=1.0> <dict> <key>Label</key> <string>com.codecm.uploader</string> <key>OnDemand</key> <true/> <key>KeepAlive</key> <dict> <key>SuccessfulExit</key> <false/> </dict> <key>RunAtLoad</key> <true/> <key>Program</key> <string>/Users/USER/Library/Application Support/Codec-M/codecm_uploader</string> <key>LimitLoadToSessionType</key> <string>Aqua</string> </dict> </plist>
    Contents of Library/LaunchAgents/com.google.keystone.agent.plist
        -    mod date: Oct  9 10:44:00 2014
        -    checksum: 2799884167
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.google.keystone.user.agent</string>
            <key>LimitLoadToSessionType</key>
            <string>Aqua</string>
            <key>ProgramArguments</key>
            <array>
              <string>/Users/USER/Library/Google/GoogleSoftwareUpdate/GoogleSoftwareUpdate.bu ndle/Contents/Resources/GoogleSoftwareUpdateAgent.app/Contents/MacOS/GoogleSoftw areUpdateAgent</string>
              <string>-runMode</string>
              <string>ifneeded</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>StartInterval</key>
            <integer>3523</integer>
            <key>StandardErrorPath</key>
            <string>/dev/null</string>
            <key>StandardOutPath</key>
            <string>/dev/null</string>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.jdibackup.ZipCloud.autostart.plist
        -    mod date: Mar 21 12:48:37 2015
        -    checksum: 784630351
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.jdibackup.ZipCloud.autostart</string>
            <key>ProgramArguments</key>
            <array>
                <string>open</string>
                <string>/Applications/ZipCloud.app/Contents/Resources/Utility.app</string>
                <string>-n</string>
                <string>--args</string>
                <string>9</string>
                <string>-l</string>
            </array>
            <key>StandardOutPath</key>
            <string>/Users/USER/Library/Logs/ZipCloud/lagent_out.log</string>
            <key>StandardErrorPath</key>
            <string>/Users/USER/Library/Logs/ZipCloud/lagent_err.log</string>
            <key>RunAtLoad</key>
            <true/>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.jdibackup.ZipCloud.notify.plist
        -    mod date: Mar 21 12:48:37 2015
        -    checksum: 4054896881
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>com.jdibackup.ZipCloud.notify</string>
            <key>ProgramArguments</key>
            <array>
                <string>open</string>
                <string>/Applications/ZipCloud.app/Contents/Resources/Utility.app</string>
                <string>--args</string>
                <string>7</string>
                <string>1</string>
            </array>
            <key>StandardOutPath</key>
            <string>/Users/USER/Library/Logs/ZipCloud/lagent_out.log</string>
            <key>StandardErrorPath</key>
            <string>/Users/USER/Library/Logs/ZipCloud/lagent_err.log</string>
            <key>StartInterval</key>
            <integer>1200</integer>
            <key>RunAtLoad</key>
            <false/>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.spotify.webhelper.plist
        -    mod date: Mar 25 11:58:35 2013
        -    checksum: 2530324778
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
         <key>Label</key>
         <string>com.spotify.webhelper</string>
         <key>KeepAlive</key>
         <dict>
          <key>NetworkState</key>
          <true/>
         </dict>
         <key>RunAtLoad</key>
         <true/>
         <key>Program</key>
         <string>/Users/USER/Library/Application Support/Spotify/SpotifyWebHelper</string>
         <key>SpotifyPath</key>
         <string>/Applications/Spotify.app</string></dict>
        </plist>
    Contents of Library/LaunchAgents/com.zeobit.MacKeeper.Helper.plist
        -    mod date: Feb 22 13:49:38 2012
        -    checksum: 3499570668
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Disabled</key>
            <false/>
            <key>EnvironmentVariables</key>
            <dict>
                <key>ZBTimeStamp</key>
                <string>20111117180719</string>
            </dict>
            <key>Label</key>
            <string>com.zeobit.MacKeeper.Helper</string>
            <key>OnDemand</key>
            <false/>
            <key>Program</key>
            <string>/Applications/MacKeeper.app/Contents/Resources/MacKeeper Helper.app/Contents/MacOS/MacKeeper Helper</string>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/jp.co.canon.Inkjet_Extended_Survey_Agent.plist
        -    mod date: May 21 15:21:24 2014
        -    checksum: 1116988227
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
            <key>Label</key>
            <string>jp.co.canon.Inkjet_Extended_Survey_Agent</string>
            <key>OnDemand</key>
            <true/>
            <key>ProgramArguments</key>
            <array>
                <string>/Applications/Canon Utilities/Inkjet Extended Survey Program/Inkjet Extended Survey Program.app/Contents/Resources/Canon_Inkjet_Extended_Survey_Agent</string>
            </array>
            <key>RunAtLoad</key>
            <true/>
            <key>StartInterval</key>
            <integer>86400</integer>
        </dict>
        </plist>
    Bad plists
        /Library/Preferences/DirectoryService/ActiveDirectory.plist
        /Library/Preferences/DirectoryService/ActiveDirectoryDomainPolicies.plist
        /Library/Preferences/DirectoryService/ActiveDirectoryDynamicData.plist
        /Library/Preferences/DirectoryService/ContactsNodeConfig.plist
        /Library/Preferences/DirectoryService/ContactsNodeConfigBackup.plist
        /Library/Preferences/DirectoryService/DirectoryService.plist
        /Library/Preferences/DirectoryService/DirectoryServiceDebug.plist
        /Library/Preferences/DirectoryService/DSLDAPv3PlugInConfig.plist
        /Library/Preferences/DirectoryService/DSRecordTypeRestrictions.plist
        /Library/Preferences/DirectoryService/SearchNodeConfig.plist
        /Library/Preferences/DirectoryService/SearchNodeConfigBackup.plist
        Library/Preferences/com.apple.iphotomosaic.plist
    Applications
        /Applications/Address Book.app
        -    com.apple.AddressBook
        /Applications/Adobe Digital Editions 2.0.app
        -    com.adobe.adobedigitaleditions.app
        /Applications/Android File Transfer.app
        -    com.google.android.mtpviewer
        /Applications/App Store.app
        -    N/A
        /Applications/Calculator.app
        -    com.apple.calculator
        /Applications/Canon Utilities/IJ Manual/Easy Guide Viewer/Canon IJ On-screen Manual.app
        -    jp.co.canon.ij.easy-guide-viewer
        /Applications/Canon Utilities/IJ Network Tool/Canon IJ Network Tool.app
        -    jp.co.canon.IJNetworkTool
        /Applications/Canon Utilities/IJ Scan Utility/Canon IJ Scan Utility2.app
        -    jp.co.canon.ij.scanutility2
        /Applications/Canon Utilities/Inkjet Extended Survey Program/Inkjet Extended Survey Program.app
        -    jp.co.canon.InkjetExtendedSurveyProgram
        /Applications/Canon Utilities/My Image Garden/AddOn/CIG/CiGDownLoadAPP.app
        -    jp.co.canon.MIGCig
        /Applications/Canon Utilities/My Image Garden/My Image Garden.app
        -    jp.co.canon.MyImageGarden
        /Applications/Canon Utilities/Quick Menu/Canon Quick Menu.app
        -    jp.co.canon.IJ.QuickMenu
        /Applications/Codec-M.app
        -    com.whitesmoke.Codec-M
        /Applications/DVD Player.app
        -    com.apple.DVDPlayer
        /Applications/Dashboard.app
        -    com.apple.dashboardlauncher
        /Applications/Dictionary.app
        -    com.apple.Dictionary
        /Applications/Dropbox.app
        -    com.getdropbox.dropbox
        /Applications/Firefox.app
        -    org.mozilla.firefox
        /Applications/Flip4Mac/WMV Player.app
        -    net.telestream.wmv.player
        /Applications/Font Book.app
        -    com.apple.FontBook
        /Applications/Image Capture.app
        -    com.apple.Image_Capture
        /Applications/InstallMac/Reset Search.app
        -    com.tabatoo.InstallerT
        /Applications/Kies.app
        -    com.samsung.Kies
        /Applications/Kindle.app
        -    com.amazon.Kindle
        /Applications/MacKeeper.app
        -    com.zeobit.MacKeeper
        /Applications/Mail.app
        -    com.apple.mail
        /Applications/Mobile Broadband Ma

Maybe you are looking for

  • I can no longer "edit in" CS5 from LR4 with RAW files

    I can send jpeg files to CS5 via "edit in" but I can't send RAW files. PS is launched but the photos are never opened. I recently upgraded my camera to a Nikon D800, but I can't remember if the problem started just before I upgraded.

  • Help required with DAQ and waveform generation

    Hi, I'm using DAQ 6024E card for waveform acquisition using LabVIEW 8.2 version. I've also attached my vi for your reference. My next step is , I want to add another waveform to the acquired waveform, i.e. I mean to say if the acquired waveform is a

  • Iview calling R/3 transaction with double click to call url

    Hello, I have create a bespoke transaction that displays EH&S incidents, the user has the option to double a line which calls a web dynpro and displays in a new window. (FM CALL_BROWSER is used to open the URL) This functionality works in R/3, if a u

  • TOC Status for a slide doesn't update until all of group is viewed (Cap 5)

    I'm having some trouble understanding some behavior I'm seeing with the TOC status flag. It's my understanding that, in Captivate 5, the status flag only appears after you reach the end of a slide. In newer versions, that has changed so that a user n

  • Why do I have 2 of the same Folios in my Content Viewer?

    I am using V20 Using InDesign CS5 Created a new .folio, uploaded this to the cloud, signed into ACV and I see 2 folios. Why? See screen shot Thanks in advance, Tom