Synchronization and threads problem

Hi, i'm a novice to java.i got an assignement where i'm suppose to emulate a bus actions(picking on and dropping of people).
It has 4 main class , i'm using netbean as IDE.
The bus have 5 station(1,2,3,4,5) and goes to them one after another picking up passenger ad dropping them off.It have max capacity of 2 passenger at a time.It's able to pick the first passenger and leave when it reaches the 2nd station and pick the second passenger it hang as if in an infinite loop.
Here are the classes in use and screenshot depicting the sittuation:
Bus :
* Bus.java
* This class represents the bus,
* a resource shared by passengers and the control system.
package busservice;
import java.util.concurrent.locks.Condition;
import java.util.concurrent.locks.ReentrantLock;
class Bus
public enum Direction{UP, DOWN};
private int position; // bus's currrent position, i.e. bus stop.
private int increment; // bus's currrent increment +1 for UP, -1 for DOWN
private Direction busDirection;// bus's current direction - UP or DOWN
private int available; // available seats
private ReentrantLock bus = new ReentrantLock();
private Condition[] arrive = new Condition[Main.BUS_STOPS+1]; // index 0 unused
public Bus()
available = Main.CAPACITY;
position = 1;
increment = 1; // Initially travelling in UP direction
busDirection = Direction.UP;
System.out.println(Main.spaces(position) + labelledBus()+ " arrives");
for (int i = 1; i <= Main.BUS_STOPS; i++)
arrive[i] = bus.newCondition();
// method called by a passenger wishing to get on the bus at bus stop
public void getOn(int fromStop)
bus.lock(); //passenger obtains resource
try{
while (position != fromStop || available == 0)
arrive[fromStop].await();
arrive[fromStop].signal();
available--;
catch(Exception e)
e.printStackTrace();
finally{
bus.unlock();
bus.notifyAll();
// Method called by passengers wishing to get off the bus at bus stop.
public void getOff(int toStop)
bus.lock();
try
while (position != toStop)
arrive[toStop].await();
available++; // passenger gets off train
catch (InterruptedException e)
e.printStackTrace();
finally
bus.unlock();
// returns a string showing the direction and occupancy status of the bus
private String labelledBus()
String emptySeats = "...................".substring(0, available);
String fullSeats = "*******************".substring(0, Main.CAPACITY - available);
if (busDirection == Direction.DOWN)
return ("<BUS["+emptySeats+fullSeats+"]");
else
return ("["+fullSeats+emptySeats+"]BUS>");
// Method called by control system to move bus to next bus stop
public void move()
bus.lock();
try // bus leaves one bus stop and travels to next one
System.out.println(Main.spaces(position) + labelledBus()+" leaves");
Thread.sleep(Main.TRAVEL_TIME * 1000);
position = position + increment;
System.out.println(Main.spaces(position) + labelledBus()+ " arrives");
// Reverse direction if at end of route
if ((busDirection == Direction.UP) && position == Main.BUS_STOPS)
increment = - increment;
busDirection = Direction.DOWN;
else if ((busDirection == Direction.DOWN) && position == 1)
increment = - increment;
busDirection = Direction.UP;
arrive[position].signalAll();
catch (InterruptedException e)
e.printStackTrace();
finally{
bus.unlock();
}Controler class
* Control.java
* This class implements the bus control system.
package busservice;
class Control extends Thread
private Bus bus;
private volatile boolean end = false;
public Control(Bus bus)
this.bus = bus;
public void run()
while (!end)
try
sleep(Main.WAIT_TIME * 1000);
bus.move();
catch (InterruptedException ex)
ex.printStackTrace();
return;
public void finish()
end = true;
}Passenger
* Passenger.java
* Implements a bus passenger as an autonomous thread.
package busservice;
import java.util.concurrent.CountDownLatch;
class Passenger extends Thread
private int id; // unique id, from 1 to Main.PASSENGERS
private int from, to; // start and end bus stops
private Bus bus;
private CountDownLatch CountDown;
Passenger(int id, int from, int to, Bus bus, CountDownLatch CountDown)
this.id = id;
this.from = from;
this.to = to;
this.bus = bus;
this.CountDown = CountDown;
public void run()
CountDown.countDown();
System.out.println(Main.spaces(from) + 'P' + id + " arrives");
bus.getOn(from);
System.out.println(Main.spaces(from) + 'P' + id + " gets on");
bus.getOff(to);
System.out.println(Main.spaces(to) + 'P' + id + " gets off");
this.notify();

* Bus.java
* This class represents the bus,
* a resource shared by passengers and the control system.
package busservice;
import java.util.concurrent.locks.Condition;
import java.util.concurrent.locks.ReentrantLock;
class Bus
public enum Direction{UP, DOWN};
private int position; // bus's currrent position, i.e. bus stop.
private int increment; // bus's currrent increment +1 for UP, -1 for DOWN
private Direction busDirection;// bus's current direction - UP or DOWN
private int available; // available seats
private ReentrantLock bus = new ReentrantLock();
private Condition[] arrive = new Condition[Main.BUS_STOPS+1]; // index 0 unused
public Bus()
available = Main.CAPACITY;
position = 1;
increment = 1; // Initially travelling in UP direction
busDirection = Direction.UP;
System.out.println(Main.spaces(position) + labelledBus()+ " arrives");
for (int i = 1; i <= Main.BUS_STOPS; i++)
arrive[i] = bus.newCondition();
// method called by a passenger wishing to get on the bus at bus stop
public void getOn(int fromStop)
bus.lock(); //passenger obtains resource
try{
while (position != fromStop || available == 0)
arrive[fromStop].await();
arrive[fromStop].signal();
available--;
catch(Exception e)
e.printStackTrace();
finally{
bus.unlock();
bus.notifyAll();
// Method called by passengers wishing to get off the bus at bus stop.
public void getOff(int toStop)
bus.lock();
try
while (position != toStop)
arrive[toStop].await();
available++; // passenger gets off train
catch (InterruptedException e)
e.printStackTrace();
finally
bus.unlock();
// returns a string showing the direction and occupancy status of the bus
private String labelledBus()
String emptySeats = "...................".substring(0, available);
String fullSeats = "*******************".substring(0, Main.CAPACITY - available);
if (busDirection == Direction.DOWN)
return ("<BUS["+emptySeats+fullSeats+"]");
else
return ("["+fullSeats+emptySeats+"]BUS>");
// Method called by control system to move bus to next bus stop
public void move()
bus.lock();
try // bus leaves one bus stop and travels to next one
System.out.println(Main.spaces(position) + labelledBus()+" leaves");
Thread.sleep(Main.TRAVEL_TIME * 1000);
position = position + increment;
System.out.println(Main.spaces(position) + labelledBus()+ " arrives");
// Reverse direction if at end of route
if ((busDirection == Direction.UP) && position == Main.BUS_STOPS)
increment = - increment;
busDirection = Direction.DOWN;
else if ((busDirection == Direction.DOWN) && position == 1)
increment = - increment;
busDirection = Direction.UP;
arrive[position].signalAll();
catch (InterruptedException e)
e.printStackTrace();
finally{
bus.unlock();
}Controler class
* Control.java
* This class implements the bus control system.
package busservice;
class Control extends Thread
private Bus bus;
private volatile boolean end = false;
public Control(Bus bus)
this.bus = bus;
public void run()
while (!end)
try
sleep(Main.WAIT_TIME * 1000);
bus.move();
catch (InterruptedException ex)
ex.printStackTrace();
return;
public void finish()
end = true;
}Passenger
* Passenger.java
* Implements a bus passenger as an autonomous thread.
package busservice;
import java.util.concurrent.CountDownLatch;
class Passenger extends Thread
private int id; // unique id, from 1 to Main.PASSENGERS
private int from, to; // start and end bus stops
private Bus bus;
private CountDownLatch CountDown;
Passenger(int id, int from, int to, Bus bus, CountDownLatch CountDown)
this.id = id;
this.from = from;
this.to = to;
this.bus = bus;
this.CountDown = CountDown;
public void run()
CountDown.countDown();
System.out.println(Main.spaces(from) + 'P' + id + " arrives");
bus.getOn(from);
System.out.println(Main.spaces(from) + 'P' + id + " gets on");
bus.getOff(to);
System.out.println(Main.spaces(to) + 'P' + id + " gets off");
this.notify();
}

Similar Messages

  • Java with Derby embedded and threads - problem?

    Hello,
    been developing java app and recently switched to derby database. At first i insert some data into derby and my app populates fine. However when my app creates a new thread (to do something in background and then updates the derby database) it all goes wrong. The thread is not responding and the database is not updating..
    What could this be?
    Could this be a database issue with java,jdbc, derby or just threads in general?
    It was working before previously with my previous database: MySQL which runs in a separate process but an embedded derby just wont make it happen.

    you're probably right that i'm making conclusions early but i've done everything i could and the feeling is like you want to give up. You feel de-motivated.
    I've been switching a lot of databases and trying them out and it seems that i can't get it to work with the embedded databases for some reasons. Could it possibly be some other stuff that i'm running in the background.
    Because, my background tasks is really heavy:
    - it creates a few threads to do tasks which some of them recieve information remotely from other machines, a few loops here and there, a few other threads with starts up a few processes (external exe's) to do some work and finally a few threads to do some calculation & update the database..
    But on the brightside i know my app works with my local MySQL database which runs in a separate process. I can also get my app to work with an online database on a hosting site - but the connection is very very slow (20 times as much time it takes to connect, i actually timed it.)

  • Socket and Thread Problem

    When reading an Inputstream received after a connection has been established (throught a Socke connect) between a Server ands a Client , messages are being lost when a wait method is call. A client sents message which have to be processed and response sent back to the client . The message are encoded and as the code below shows each message ends with a '":" .Not only one message is sent at a time. and when messages are sent the client sometimes expect replies. This means that when a message is read , it be being processed by a Processor and until the reply has be sent this the thread reading the messages has to wait. when a reply is sent and the thread is waken up, the remaining the messages in the Input stream gets lost but the loop is not also exited since the end of the file is never reached.
    Solution:
    1. read a command message. if you find end of message, process the message and wait until you are notify and continue with the next command line
    public class Sender extends Thread {
         private Socket socket;
         private Processor processor = newProcessor();
         private boolean DEBUG = false;
         public Sender (Socket socket) {
              super();
              this.socket = socket;
              start();
         public void run() {
              while (true) {
                   if (processor .getStateOfProcess()&& socket != null) {
                        InputStream input = null;
                        try {
                             input = socket.getInputStream();
                             if (processor .dispatchMessage() != null) {
                                  socket.getOutputStream().write(
                                            CacheManager.dispatchMessage());
                                  processor .ClearMessage();
                        } catch (IOException ex) {
                        int i = 0;
                        char oldChar = ' ';
                        char c = ' ';
                        StringBuffer buffer = new StringBuffer();
                        try {
                             while ((i = input .read()) != -1) {
                                  c = (char) i;
                                  buffer.append(c);
                                                    if (c == ':' && oldChar != '\\') {
                                       processor .process(buffer.toString());
                                       buffer = new StringBuffer();
                                       c = ' ';
                                                              try {
                                            synchronized (this) {
                                                 wait();                         
                                       } catch (InterruptedException e1) {
                                                       if (processor.dispatchMessage() != null) {
                                            socket.getOutputStream().write(
                                                      CacheManager.dispatchMessage());
                                            processor.ClearMessage();
                                  oldChar = c;
                                    } catch (IOException e) {
       public void wakeup() {
              synchronized (this) {
                   notify();
    } This thread leaves that wait when the wakeup method is called in the Processor class.
    Question
    can some one help me figure out way and where the messages are being lost after the first message has been processed. why can the other message not be seen even other messages are still sent.
    What can be a possible solution
    thanks

    I didn't follow all of that, but I can see one serious error in your concurrent. You should always test the condition you're waiting for inside the synchronized block - otherwise you can't be certain that wait() is called before the corresponding notify() / notifyAll() call.

  • Thread Problems with Solaris 2.7 and Java 1.3

    Hi,
    we are deploying a Java distributed application, based on JAVA 1.3, on a SOLARIS 2.7 system and we are meeting some problems with threads.
    This application uses a distribuite computing based on ORBIX 2000 environment and creates more than 40 threads.
    Sometimes happens that one or more threads ( consider that all the threads have the same priority) are no more scheduled even tought they have some work to do into the local queue.
    We have tested the application on a NT system and the problem does not appears.
    Do you have some suggestion ?
    PS: Note that all the other threads work well and it seems that the problem is not related to a Orbix method.
    Thanks
    Roberto

    It crashed 3 seconds after it is running. Should be reading some jar file.
    Could be a something corrupted a zip file or something. Can you still do a java -version? You may want to try reinstalling 1.4.2_07

  • I have a problem in this that i want to paas a form in a case that when user pres n then it must go to a form but error arises and not working good and threading is not responding

    made in cosmos help please need it
    using System;
    using Cosmos.Compiler.Builder;
    using System.Threading;
    using System.Windows.Forms;
    namespace IUOS
        class Program
            #region Cosmos Builder logic
            // Most users wont touch this. This will call the Cosmos Build tool
            [STAThread]
            static void Main(string[] args)
                BuildUI.Run();
            #endregion
            // Main entry point of the kernel
            public static void Init()
                var xBoot = new Cosmos.Sys.Boot();
                xBoot.Execute();
                Console.ForegroundColor = ConsoleColor.DarkBlue;
                a:
                Console.WriteLine("------------------------------");
                Console.WriteLine("WELCOME TO THE NEWLY OS MADE BY THE STUDENTS OF IQRA UNIVERSITY!");
                Console.WriteLine("------------------------------");
                Console.WriteLine();
                Console.WriteLine();
                Console.WriteLine();
                Console.WriteLine("\t _____                                
                Console.WriteLine("\t|     |        |            |        
    |            |      |");
                Console.WriteLine("\t|     |        |            |        
    |            |      |");
                Console.WriteLine("\t|     |        |            |        
    |            |      |");
                Console.WriteLine("\t|     |        |            |        
    |            |      |___________");
                Console.WriteLine("\t|     |        |            |        
    |            |                  |");
                Console.WriteLine("\t|     |        |            |        
    |            |                  |");
                Console.WriteLine("\t|     |        |            |        
    |            |                  |");
                Console.WriteLine("\t|     |        |            |        
    |            |                  |");
                Console.WriteLine("\t|     |        |            |        
    |            |                  |");
                Console.WriteLine("\t|_____|        |____________|         |____________|      ____________");
                string input;
                Console.WriteLine();
                Console.Write("\nAbout OS     : a");
                Console.Write("\nTo Shutdown  : s");
                Console.Write("\nTo Reboot    : r");
                Console.Write("\nStart Windows Normaly : n");
                Console.WriteLine();
                input = Console.ReadLine();
                if (input == "s" || input == "S"){
                    Cosmos.Sys.Deboot.ShutDown();
                else
                if (input == "r" || input == "R"){
                    Cosmos.Sys.Deboot.Reboot();
                else
                if (input == "a" || input == "A"){
                    Console.ForegroundColor = ConsoleColor.DarkBlue;
                    Console.Clear();
                    Console.WriteLine("\n\n\n-------------------------------------");
                    Console.WriteLine("version: DISPLAYS OS VERSION");
                    Console.WriteLine("about: DISPLAYS INFO ABOUT ANGRY OS");
                    Console.WriteLine("hello or hi: DISPLAYS A HELLO WORLD");
                    Console.WriteLine("MESSAGE THAT WAS USED TO TEST THIS OS!!");
                    Console.WriteLine("-----------------------------------");
                    Console.Write("You Want to know : ");
                    input = Console.ReadLine();
                    if (input == "version"){
                        Console.WriteLine("--------------------");
                        Console.WriteLine("OS VERSION 0.1");
                        Console.WriteLine("--------------------");
                    else
                    if (input == "about"){
                        Console.WriteLine("--------------------------------------------");
                        Console.WriteLine("OS IS DEVELOPED BY Qazi Jalil-ur-Rahman & Syed Akber Abbas Jafri");
                        Console.WriteLine("--------------------------------------------");
                    Console.Write("Want to go back to the main window");
                    Console.Write("\nYes : ");
                    string ans = Console.ReadLine();
                    if (ans == "y" || ans == "Y")
                        goto a;
                        Thread.Sleep(10000);
                    else
                    if (input == "n" || input == "N")
                        Thread.Sleep(5000);
                        Console.Clear();
                        for (int i = 0; i <= 0; i++){
                            Console.Write("\n\n\n\n\t\t\t\t\t  ____        ____   ___  
                            Console.Write("\n\t\t|\t\t |  |      |    |     
    |   |  | |  |  |");
                            Console.Write("\n\t\t|\t|    |  |----  |    |     
    |   |  | |  |  |---");
                            Console.Write("\n\t\t|____|____|  |____  |___ |____  |___|  |    |  |___");
                            Thread.Sleep(500);
                        Thread.Sleep(5000);
                        Console.Clear();
                        BootUserInterface();
                        Console.ReadLine();
    //                    Form1 fo = new Form1();
                    else{
                        for (int i = 0; i <= 5; i++){
                            Console.Beep();
                            Thread.Sleep(1000);
                            goto a;
                while (true);
            private static void BootUserInterface() {
                Thread t = new Thread(UserInterfaceThread);
                t.IsBackground = true;
                t.SetApartmentState(ApartmentState.STA);
                t.Start();
            private static void UserInterfaceThread(object arg) {
                Form1 frm = new Form1();  // use your own
                Application.Run(frm);
     

    Hi
    Jalil Cracker,
    >>when user pres n then it must go to a form but error arises and not working good and threading is not respondin
    Could you post the error information? And which line caused this error?
    If you want to show Form1, you can use form.show() method
    Form1 frm = new Form1();
    frm.Show();
    In addition, Cosmos is an acronym for C# Open Source Managed Operating System. This is not Microsoft product.If the issue is related to Cosmos, it would be out of our support. Thanks for your understanding. And you need raise an issue at Cosmos site.
    Best regards,
    kristin
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Cant syncronize! Threads problem

    Hello everybody,
    recently i posted a question(im new to threads) and it was asked immediately but now i have another
    type of problem.
    Please read here the initial post and the answer and please give me any ideas..
    Initial Post
    Hi everybody,i have this thread problem(i'm new to java and h
    ave no idea what exactly to do).
    Well,in my applet i have this action performed method
    that i imagine is in the event dispatch thread.
    This method calls as u see, two other methods of a class named CPU(.
    Note that fetch and execute are observed classes and my applet class
    is the observer.
    The problem is that during the execution of fetch() and execute(),
    inside these methods change some things and so they call notifyObservers(Object arg)
    passing to the applet the argument and so the applet updates some text components.
    But as you can immagine there is no time for the gui to update himself so i see nothing.
    So, my question is which of the methods need to be in a separate thread so to ensure
    visible results(component updating)?
    Perhaps,the update method needs to be invokedLater with SwingUtilities?
    Please give me an example code if possible.
    Here is the actionPerformed code(from the applet class) and the fetch method:
        void executeProgramButton_actionPerformed(ActionEvent e) {      
    int numInstr = this.machine.ram.segmentSize;       
    for (int i = 0; i < numInstr; i = i + 4) {           
    machine.cpu.fetch();           
    machine.cpu.execute();       
    /*The following method is in the CPU class
    fetch method:here the observedPC is the observable value
    that notifies the observer(the main applet)
    that does: pcTextField.setText(arg.toString());*/   
    public void fetchInstructionProgram() {       
    observedPC = Integer.toString(pc);       
    setChanged();       
    notifyObservers(observedPC);       
    instructions++;       
    instruction=readOperation(cache.instructionfetch,pc);       
    pc = pc + 4;    }
    Answer to initial post
    Author: stevejluke
    One way could be to put the content of the action performed method into a new thread, then use invokeLater in your Observers that cause GUI updates:
        void executeProgramButton_actionPerformed(ActionEvent e) {     
    new Thread()       {      
    public void run()        {         
    int numInstr = this.machine.ram.segmentSize;         
    for (int i = 0; i < numInstr; i = i + 4)           {           
    machine.cpu.fetch();           
    machine.cpu.execute();         
    }.start();    }
    // In your Observer    public void update(Observable o, Object arg)    {     
    SwingUtilities.invokeLater(new Runnable() {      
    public void run()        { 
    /* your GUI afecting code
    });[i]
    Or something like that.
    You might need to watch for synchronizing things
    He was right...GUI is responsive but the results...
    Well,let me describe the new problem.
    Here you cant see the method execute().
    The problem is a synchronization problem.
    Actually,what the two methods do is:fetch() updates the value of a long called instruction and execute() takes this value and do some things.Note also that the time the execute method needs to finish is not
    always the same.By that, i mean that it depends on the value of the instruction updated by fetch().
    By putting some System.outs before and after updating i realized that there are delays or sometimes
    i noticed that fetch() executes 2 times before execute() takes control.
    So,i created some synchronized private methods set and get to control access to these resources.
    Better but still not correct...
    What should i look?Where stays the answer?
    How to synchronize these two methods on these resources?
    Thank you in advance,
    Chris

    I think that your fetch and execute has a "Producer-Consumer Relationship"
    in such cases you can make the producer place the produced value in to a queue and consumer take the vlues from the queue
    In the producer thread it sleeps for a while and try again if the Queue is full
    In the Consumer thread it sleeps for a while if the Queue is empty and then try again
    Or you can do as follows
    In the Producer thread it waite() if the Queue is full
    In the Consumer thread it waite() if the queue is empty
    When ever Producer put a value in to the Queue it calls the notify on Consumer and when ever Consumer takes a value from Queue it calls the notify() on Producer
    you can even use notify all
    I think thiere is no built in Queue class in java so you will have to write one here is a example
    public class MyLongQueue{
                long data[];
                int head, tail;
                int size;
               public MyLongQueue(int size){
                    data = new long[size];
                    head = -1;
                    tail = -1;
                    this.size = 0;
                public synchronized boolean isFull(){
                    return (size==data.length);
                public synchronized boolean isEmpty(){
                    return (size==0);
                public synchronized boolean  insert(long l){
                    if (size==data.length) return false; //Queue is full cant add more data
                    tail = (tail + 1) % data.length;
                    data[tail] = l;
                     size++;
                    return true;
               public synchronized long remove(){
                   if (size==0) throw new ArrayIndexOutOfBoundsException();
                   size--;
                   head = (head + 1) % data.length;
                   return data[head];

  • Threads Problem

    I had to adopt one project from someone, and he leave a warning message. " This package must be run using green threads . With native threads, this model will either run very slowly or crash. Green threads are made avialble in JDK 1.3.1( or earlier versions ) by running the program with java-classic "
    In the original program, it run for one replication. I had to modify this project running more than one replications or run one replication with long length. When I went to compile it I got this error. In the same program,sometime it can run, often it cannot. So, I'm not sure about the cause of this problem. What should I do, downgrade java version to 1.3.1 or modify the source code(I don't where is error or how to modify the code). Anyway, I'm just learning so take it easy on me.
    Can anyone please tell me how to fix the problem.
    Exception in thread "Thread-........" java.lang.NullPointerException
    at umontreal.iro.lecuyer.simprocs.SimThread.run(SimProcess.java:479) -----> this is the source code
    at java.lang.Thread.run(Thread.java:595)
    for .... , it had changed position for every run.
    Now, I use version 1.5 with NetBeans IDE4.1
    Regards,

    I had to adopt one project from someone, and he leave
    a warning message. " This package must be run using
    green threads . With native threads, this model will
    either run very slowly or crash. Green threads are
    made avialble in JDK 1.3.1( or earlier versions ) by
    running the program with java-classic "
    The person that left you this message shot be hunted down and shot.
    >
    Well a null pointer exception means you are going to have go plumbing around in the code.
    Here is my recommendation.
    Because it sounds like you have a real code mess on your hands (the description makes it sound like the orginial developer did something evil with synchronization and/or relying on thread timing) and because as you say you are just starting.. if downgrading to an older version will make it magically work then I suggest doing that as a stop gap.
    It is impossible for me to say without knowing alot more about your project but it sounds to me like your best course of action, and I mean this honestly to save you pain, is to examine the whole project and probably scrap and rewrite most of it if not all of it.
    Sorry for the bad news.

  • Audio (and other) problems noted with Keynote version 4.0.1

    Since installing Keynote 4 and the 4.0.1 update, I have noted the following situations and/or problems:
    1) When doing a "save-as" the filename is appended with the suffix ".key" but when I subsequently "save" this file, the suffix disappears. The file seems to open and operate OK nonetheless, but this puzzles and somewhat concerns me that someday Keynote may not recognize the file. This happens whenever I "save" a slideshow after I have made any changes to it.
    2) When playing back a "soundtrack," the audio "glitches" frequently at slide transitions: this occurs repeatedly on my G5 desktop system but not on my MacBook Pro-17. The "glitches" always seem to occur at the same places in the track - which, of course, is also at the same slide transitions. (This problem has spawned several similar questions and threads in this forum.)
    3) Related to #2 above, the "glitches" also interrupt or corrupt the "recording" of that soundtrack, so that the synchronization is off when the slideshow is played back.
    4) If I want to have an audio track play under a series of slides, the only way I have found to accomplish this is to create a separate slideshow with the audio track running as a "soundtrack" and "record" the Builds and Transitions in sync with the audio. If I want to incorporate several of these shows together, I can create a "master" slideshow and Hyperlink each segment to the next. HOWEVER...
    5) When I "record" a "soundtrack" and "synchronize" the Builds and Transitions within the slideshow, everything plays back properly in sync ONLY when the slideshow is played as a stand-alone presentation (i.e. a cold start from the desktop). If I initiate playback of the slideshow via a Hyperlink from another presentation, the soundtrack plays but NONE of the synchronization works at all.
    6) The only way I have found to have an audio track "fade-in" or "fade-out" is to use off-line editing software to record these fades prior to importing the tracks into Keynote. The "Start Audio" Build function is simply a hard "cut" in, and the end of the track is a hard "cut" out.
    These problems are consistent and repeatable facts. Whether they are "bugs" in the software or "design shortcomings" is uncertain. Nonethtless ...
    At the risk of offending the moderators of this forum, I feel compelled to comment that these problems render the audio operations of Keynote less than satisfactory and should be addressed as soon as possible with another update to this visually stunning but audio-challenged application.

    Well Ron S, I re-confirmed why I prefer not to look to tech support for support.
    It seems to me that support's main function is to deflect any critical comments and push the blame back to the user.
    Frankly, I have better things to do with my time and money than try to help a multi-billion dollar enterprise learn about itself.
    So, for the benefit of you and the nearly 400 who have followed this thread, I offer you my latest and probably last attempt to have Apple acknowledge in some small way that "Houston, we have a problem".
    I expect this reply will result in this thread being yanked as well, since I'm expressing negative thoughts about Apple's product and wishing they would do better, which is a non-technical gasp of utter frustration and disappointment. Note that "product" is singular, defining Keynote. My other Apple products serve me loyally and superbly, which is why my huge disappointment with Keynote.
    So here is my correspondence with Tech Support. I've removed names except mine.
    I think it speaks for itself. They have notes from my conversations with them that I have current Apple computers, including a MacBookPro, not an old PowerBook, nevertheless, they have told me that the problem is mine because the fabulous hyper-performing Keynote software is choking my poor old machine (paraphrased muchly).:
    Hi (support),
    That's disappointing news, especially since this test was done on 3 machines: an old G4 400, a 2.0G Dual G5 and an Intel core duo MacBookPro which yielded identical results.
    It is not a hardware issue.
    I do not accept a brush-off that it is my hardware that is causing Keynote to be problematic.
    I will assume that Apple is not interested in addressing these issues in public and that Keynote is substandard software that is in need of re-authoring.
    Sorry to be so blunt, but Apple has set this tone with Keynote, and used its considerable reputation as a leading a/v technology innovator to imply that Keynote will deliver the excellence we Mac users have come to expect.
    I have been a loyal mac user since the SE series and have enjoyed success with the machines and software offered by Apple, and depend on them for my livelihood. I'm currently using FC Studio6 and know that Apple is capable of maintaining its high standards.
    However, Keynote fails to do that, instead behaving like a product that was invented in a teenager's basement and is in beta. I realize that it's not designed as a FCP level product, but it fails at the basic tasks that you advertise it will complete.
    A version 4 product should work as advertised. Keynote certainly does not.
    I'm deeply saddened that Apple seems to have become an iPod entertainment company, interested mainly in profits from entertainment rather than serious useful technology.
    On 2007-Oct-19, at 10:14 AM, (tech support) wrote:
    Hello Sir,
    Unfortunately, this does look like it's mostly a case of some of the new Keynote features slowing down the performance on the PowerBook.
    At this point, there isn't much else we can do in the way of troubleshooting.
    If you are not satisfied with the performance on the PowerBook, using the previous version of Keynote is probably his best option at this point.
    We will continue to research this issue, but at this point it's unlikely I'll be able to find additional suggestions for improving performance, as it looks like it is is reproducible and limited to older models.
    On Oct 16, 2007, at 11:27 PM, Ron Tucker wrote:
    Hi (support),
    Thanks for your recent followup calls. I'm directing a video shoot so am a bit preoccupied.
    Here are the tests I mentioned.
    These are as simple as it gets, and I think highlights the synchronization problem with Keynote.
    Test 1 is straightforward, and demonstrates that a single unedited recorded audio track will maintain mouse click synchronization.
    Test 2 is the same file, but with audio modifications applied to each slide in succession.
    This demonstrates a dramatic synchronization slippage.
    The visuals occur before the click (and audio) markers. Keynote seems to be create delay in audio at each "record and replace" point. This accumulates as the audio is revised in successive slides.
    These tests demonstrate that there is a fundamental flaw in how Keynote handles audio in its most basic application.
    This does not address the slim toolset available, such as lack of insert capability and other basic audio tools, which is a separate design issue, and I suppose subject to "request for enhancement" feedback.
    I've reluctantly abandoned Keynote for my project work at present until these basic issues are addressed and it can be demonstrated that Keynote can successfully execute its feature set.
    <TuckerKeynoteTest.zip>
    Message was edited by: Ron Tucker1

  • I am making code to try to make a game and my problem is that my code......

    I am making code to try to make a game and my problem is that my code
    will not let it change the hit everytime so im getting the first guy to hit 1 then next hits 8 and so on and always repeats.
    Another problem is that I would like it to attack with out me telling it how much times to attack. I am using Object oriented programming.
    Here is the code for my objects:
    import java.lang.*;
    import java.io.*;
    import java.net.*;
    import java.util.*;
    import java.util.Random;
    import static java.lang.Math.*;
    import java.awt.*;
    import java.awt.color.*;
    class rockCrab {
         //Wounding formula
         double sL = 70;                                   // my Strength Level
         double bP = 1;                                   // bonus for prayer (is 1 times prayer bonus)
         double aB = 0;                                 // equipment stats
         double eS = (sL * bP) + 3;                         // effective strength
         double bD = floor(1.3 + (eS/10) + (aB/80) + ((eS*aB)/640));     // my base damage
         //Attack formula
         double aL = 50;                                   // my Attack Level
         double eD = 1;                                   // enemy's Defence
         double eA = aL / eD;                              // effective Attack
         double eB = 0;                                   // equipment bonus'
         double bA = ((eA/10) * (eB/10));                    // base attack
         //The hit formula
         double fA = random() * bA;
         double fH = random() * bD;
         double done = rint(fH - fA);
         //health formula
         double health = floor(10 + sL/10 * aL/10);
         rockCrab() {
         void attack() {
              health = floor(10 + sL/10 * aL/10);
              double done = rint(fH - fA);
              fA = random() * bA;
              fH = random() * bD;
              done = rint(fH - fA);
              System.out.println("Rockcrab hit" +done);
    import java.lang.*;
    import java.io.*;
    import java.net.*;
    import java.util.*;
    import java.util.Random;
    import static java.lang.Math.*;
    import java.awt.*;
    import java.awt.color.*;
    class self {
         //Wounding formula
         double sL = 1;                                   // my Strength Level
         double bP = 1;                                   // bonus for prayer (is 1 times prayer bonus)
         double aB = 0;                                 // equipment stats
         double eS = (sL * bP) + 3;                         // effective strength
         double bD = floor(1.3 + (eS/10) + (aB/80) + ((eS*aB)/640));     // my base damage
         //Attack formula
         double aL = 1;                                   // my Attack Level
         double eD = 1;                                   // enemy's Defence
         double eA = aL / eD;                              // effective Attack
         double eB = 0;                                   // equipment bonus'
         double bA = ((eA/10) * (eB/10));                    // base attack
         //The hit formula
         double fA = random() * bA;
         double fH = random() * bD;
         double done = rint(fH - fA);
         //health formula
         double health = floor(10 + sL/10 * aL/10);
         self() {
         void attack() {
              health = floor(10 + sL/10 * aL/10);
              fA = random() * bA;
              fH = random() * bD;
              done = rint(fH - fA);
              System.out.println("You hit" +done);
    }Here is the main code that writes what the objects do:
    class fight {
         public static void main(String[] args) {
              self instance1 = new self();
              rockCrab instance2 = new rockCrab();
              instance2.health = instance2.health - instance1.done;
              System.out.println("You hit: " +instance1.done);
              System.out.println("rockCrabs health: " + instance2.health);
              instance1.health = instance1.health - instance2.done;
              System.out.println("RockCrab hit: " +instance2.done);
              System.out.println("rockCrabs health: " + instance1.health);
              instance2.health = instance2.health - instance1.done;
              System.out.println("You hit: " +instance1.done);
              System.out.println("rockCrabs health: " + instance2.health);
              instance1.health = instance1.health - instance2.done;
              System.out.println("RockCrab hit: " +instance2.done);
              System.out.println("rockCrabs health: " + instance1.health);
              instance2.health = instance2.health - instance1.done;
              System.out.println("You hit: " +instance1.done);
              System.out.println("rockCrabs health: " + instance2.health);
              instance1.health = instance1.health - instance2.done;
              System.out.println("RockCrab hit: " +instance2.done);
              System.out.println("rockCrabs health: " + instance1.health);
              instance2.health = instance2.health - instance1.done;
              System.out.println("You hit: " +instance1.done);
              System.out.println("rockCrabs health: " + instance2.health);
              instance1.health = instance1.health - instance2.done;
              System.out.println("RockCrab hit: " +instance2.done);
              System.out.println("rockCrabs health: " + instance1.health);
    }when the code is run it says something like this:
    you hit 1
    RockCrabs health is 9
    RockCrab hit 7
    your health is 38
    you hit 1
    RockCrabs health is 8
    RockCrab hit 7
    your health is 31
    you hit 1
    RockCrabs health is 7
    RockCrab hit 7
    your health is 24
    you hit 1
    RockCrabs health is 6
    RockCrab hit 7
    your health is 17
    my point is whatever some one hits it always repeats that
    my expected output would have to be something like
    you hit 1
    RockCrabs health is 9
    RockCrab hit 9
    your health is 37
    you hit 3
    RockCrabs health is 6
    RockCrab hit 4
    your health is 33
    you hit 2
    RockCrabs health is 4
    RockCrab hit 7
    your health is 26
    you hit 3
    RockCrabs health is 1
    RockCrab hit 6
    your health is 20
    Edited by: rade134 on Jun 4, 2009 10:58 AM

    [_Crosspost_|http://forums.sun.com/thread.jspa?threadID=5390217] I'm locking.

  • Sun Java System Web Server 6.1 SP3 service-j2ee threads problem

    Hi,
    Sorry my english.
    I'm an intermediate Java programmer and a newbie in
    the Sun's web servers world.
    I'm doing an evaluation of an web applicaction
    written in Java Servlets that is
    supposed to have a leaking threads problem. We use
    SunOS 5.9 (... sun4u sparc SUNW,UltraAX-i2) and
    JVM 1.5 Update 4 (the problem is presented too
    in SunOS 5.8 and JVM 1.4.2_04).
    We have seen, thanks to 'prstat' (PROCESS/NLWP) a
    increasing thread's growing in one of the process
    that correspond to our web server instance (I'm sure I'm
    looking the right process). I have checkout the source
    code and it seems like the app doesn't have threads
    problems. I have used the Netbeans Profiler and I see a
    high number of threads called service-j2ee-x that grows
    in congestion moments and never disappear.
    Anybody could help me with suggestions?
    Thank you very much.

    Elvin,
    Thankyou, yes I am unfamiliar with debugging Java apps. I got the web server Java stack trace and I have passed this on to the developer.
    The web server finally closes the socket connection after the total connections queued exceeds 4096.
    There are several hundred entries like this... waiting for monitor entry.. could be a deadlock somewhere?
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "service-j2ee-506" prio=5 tid=0x04b62a08 nid=0x17a waiting for monitor entry [dd74e000..dd74f770]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.verity.search.util.JSDispenser.getConnResource(Unknown Source)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: - waiting to lock <0xe979b2b0> (a com.verity.search.util.JSDispenser)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.verity.search.DocRead.getDoc(Unknown Source)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.verity.search.DocRead.getDoc(Unknown Source)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.verity.search.DocRead.docViewIntern(Unknown Source)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.verity.search.DocRead.docView(Unknown Source)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at au.com.relevance.viewDoc.PdfXmlServlet.performRequest(PdfXmlServlet.java:120)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at au.com.relevance.viewDoc.PdfXmlServlet.doGet(PdfXmlServlet.java:141)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at javax.servlet.http.HttpServlet.service(HttpServlet.java:787)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at javax.servlet.http.HttpServlet.service(HttpServlet.java:908)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardWrapperValve.invokeServletService(StandardWrapperValve.java:771)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:322)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:509)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:212)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:509)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:209)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:509)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.iplanet.ias.web.connector.nsapi.NSAPIProcessor.process(NSAPIProcessor.java:161)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.iplanet.ias.web.WebContainer.service(WebContainer.java:580)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at com.iplanet.ias.web.WebContainer.service(WebContainer.java:580)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "StandardManager[highlight]" daemon prio=5 tid=0x000f3530 nid=0x1e waiting on condition [e15ff000..e15ffc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.threadSleep(StandardManager.java:800)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.run(StandardManager.java:859)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "WebappLoader[highlight]" daemon prio=5 tid=0x000f3328 nid=0x1d waiting on condition [e16ff000..e16ffc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.threadSleep(WebappLoader.java:1214)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.run(WebappLoader.java:1341)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "StandardManager[]" daemon prio=5 tid=0x000f2b08 nid=0x1c waiting on condition [e1b7f000..e1b7fc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.threadSleep(StandardManager.java:800)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.run(StandardManager.java:859)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "WebappLoader[]" daemon prio=5 tid=0x000f2900 nid=0x1b waiting on condition [e1c7f000..e1c7fc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.threadSleep(WebappLoader.java:1214)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.run(WebappLoader.java:1341)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "StandardManager[sitesearch]" daemon prio=5 tid=0x000f1cd0 nid=0x1a waiting on condition [e23ff000..e23ffc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.threadSleep(StandardManager.java:800)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.run(StandardManager.java:859)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "WebappLoader[sitesearch]" daemon prio=5 tid=0x000f1ac8 nid=0x19 waiting on condition [e24ff000..e24ffc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.threadSleep(WebappLoader.java:1214)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.loader.WebappLoader.run(WebappLoader.java:1341)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "StandardManager[search]" daemon prio=5 tid=0x000f0a88 nid=0x18 waiting on condition [e317f000..e317fc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.sleep(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.threadSleep(StandardManager.java:800)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at org.apache.catalina.session.StandardManager.run(StandardManager.java:859)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Thread.run(Thread.java:534)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "Signal Dispatcher" daemon prio=10 tid=0x000ef840 nid=0x12 waiting on condition [0..0]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "Finalizer" daemon prio=8 tid=0x000ef638 nid=0x10 in Object.wait() [fa27f000..fa27fc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Object.wait(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: - waiting on <0xe917fb10> (a java.lang.ref.ReferenceQueue$Lock)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.ref.ReferenceQueue.remove(ReferenceQueue.java:111)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: - locked <0xe917fb10> (a java.lang.ref.ReferenceQueue$Lock)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.ref.ReferenceQueue.remove(ReferenceQueue.java:127)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.ref.Finalizer$FinalizerThread.run(Finalizer.java:159)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "Reference Handler" daemon prio=10 tid=0x000ef430 nid=0xf in Object.wait() [fa37f000..fa37fc28]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Object.wait(Native Method)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: - waiting on <0xe917fb78> (a java.lang.ref.Reference$Lock)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.Object.wait(Object.java:429)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: at java.lang.ref.Reference$ReferenceHandler.run(Reference.java:115)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: - locked <0xe917fb78> (a java.lang.ref.Reference$Lock)
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "main" prio=5 tid=0x000ee3f0 nid=0x1 runnable [0..ffbff200]
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "VM Thread" prio=5 tid=0x004ee328 nid=0xe runnable
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "VM Periodic Task Thread" prio=10 tid=0x004ee5d0 nid=0x16 waiting on condition
    [15/May/2006:22:01:51] warning ( 3196): CORE3283: stderr: "Suspend Checker Thread" prio=10 tid=0x004ee548 nid=0x11 runnable
    [15/May/2006:22:15:10] failure ( 3196): HTTP3287: connection limit (4096) exceeded, closing socket

  • Remote and IR Problem

    A rather odd and annoying problem has recently been occuring on my MBP. A couple days ago my remote (after working without fail for over a year now) suddenly stopped working. Yesterday night and this morning it started working again but after a while it stopped again. I've read dozens of support articles which haven't really helped because there seems to be another problem.
    Most articles have stated that there is an option to disable the IR receiver in the "security" window under system preferences. When the IR and remote are not working this option disappears but when they are working the option is present. I have also tried replacing the battery without any result.
    I am now thinking that it might have something to do with heat buildup because it is mainly occuring after the laptop has been on for about a half hour, so I am going to try to borrow someone's fan.
    If anyone has any suggestions to solve this I would appreciate it if you could help. Thanks!
    MacBook Pro 1.83 GHz   Mac OS X (10.4.9)  

    check out this thread. Seems to be the same problem.
    http://discussions.apple.com/thread.jspa?messageID=4701905&#4701905

  • On trying to launch CS5 Photoshop: An unexpected and unrecoverable problem has occurred. Photoshop w

    I have an iMac 27" with 2.8 GHz Intel Core 17. 4 GB RAM. It's running OS X 10.6.8 Snow Leopard.
    Last week I had the computer's hard drive replaced after the old one had gone bad. All the data was transferred fine to the new hard drive.
    Since then my CS5 Photoshop comes up with this error message at each launch attempt:
    "An unexpected and unrecoverable problem has occurred. Photoshop will now exit."
    I took the computer back to the repair shop. They said they got CS5 Photoshop working on my computer so I brought it home and -- this is totally inexplicable -- I STILL get the error message.
    Subsequently I've trashed CS5 Photoshop and reinstalled from the original Adobe Design Premium CS5 suite .dmg but I continue to get the same message. I've also trashed the preferences several times and the message still occurs. Creating a new user account for my computer and trying to open CS5 Photoshop there didn't help. I had no problems with fonts and Photoshop CS5 before the hard drive was changed.
    I have no idea what else to do. Any help will be greatly appreciated. Thanks!
    Here is the Photoshop Problem Report:
    Process:         Adobe Photoshop CS5 [426]
    Path:            /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/MacOS/Adobe Photoshop CS5
    Identifier:      com.adobe.Photoshop
    Version:         12.0 (12.0x20100407.r.1103) (12.0)
    Code Type:       X86-64 (Native)
    Parent Process:  launchd [96]
    Date/Time:       2013-01-20 10:08:41.018 -0600
    OS Version:      Mac OS X 10.6.8 (10K549)
    Report Version:  6
    Interval Since Last Report:          28237 sec
    Crashes Since Last Report:           7
    Per-App Interval Since Last Report:  2014 sec
    Per-App Crashes Since Last Report:   7
    Anonymous UUID:                      399C19BD-C233-4F20-9385-CBEADC8E2EA4
    Exception Type:  EXC_CRASH (SIGABRT)
    Exception Codes: 0x0000000000000000, 0x0000000000000000
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Application Specific Information:
    abort() called
    Thread 0 Crashed:  Dispatch queue: com.apple.main-thread
    0   libSystem.B.dylib                 0x00007fff878340b6 __kill + 10
    1   libSystem.B.dylib                 0x00007fff878d49f6 abort + 83
    2   com.adobe.Photoshop               0x0000000100237b1b 0x100000000 + 2325275
    3   libstdc++.6.dylib                 0x00007fff810d6ae1 __cxxabiv1::__terminate(void (*)()) + 11
    4   libstdc++.6.dylib                 0x00007fff810d5e9c __cxa_call_terminate + 46
    5   libstdc++.6.dylib                 0x00007fff810d69fc __gxx_personality_v0 + 1011
    6   libSystem.B.dylib                 0x00007fff8784aeb1 unwind_phase2 + 145
    7   libSystem.B.dylib                 0x00007fff878547eb _Unwind_Resume + 91
    8   com.adobe.ape                     0x00000001222d2a61 APEStreamWrite + 10193
    9   com.adobe.ape                     0x00000001222d56bf APEStreamWrite + 21551
    10  com.adobe.ape                     0x00000001222d75dc APEStreamWrite + 29516
    11  com.adobe.PSAutomate              0x0000000121dab869 -[ScriptUIAPEStage initWithFrame:stageArgs:] + 121
    12  com.adobe.PSAutomate              0x0000000121daa8ed ScriptUI::APE_Player::apOSCreateStage(Opaque_APEPlayer*, long, NSView*, NSWindow*, ScCore::Rect const&, bool, bool, NSView*&) + 189
    13  com.adobe.PSAutomate              0x0000000121da8a32 ScriptUI::APE_Player::apCreateStage(Opaque_APEPlayer*, long, NSView*, NSWindow*, ScCore::Rect const&, bool, bool, NSView*&) + 66
    14  com.adobe.PSAutomate              0x0000000121da833c ScriptUI::APE_Player::apInitialize(NSView*, NSWindow*, long, bool, bool) + 172
    15  com.adobe.PSAutomate              0x0000000121d9e8f6 ScriptUI::FlexServer::createServerPlayer(bool, bool) + 198
    16  com.adobe.PSAutomate              0x0000000121d9458e ScriptUI::Flex_ScriptUI::start(ScCore::Error*) + 3806
    17  com.adobe.PSAutomate              0x0000000121c6ab2e JavaScriptUI::IJavaScriptUI() + 544
    18  com.adobe.PSAutomate              0x0000000121c6bbb0 InitJavaScriptUI() + 106
    19  com.adobe.PSAutomate              0x0000000121c6be7c CScriptPs::DoLateInitialize() + 622
    20  com.adobe.PSAutomate              0x0000000121c6cc20 CScriptPs::DoExecute(PIActionParameters*) + 630
    21  com.adobe.PSAutomate              0x0000000121c6d0fe PluginMain + 110
    22  com.adobe.Photoshop               0x00000001006fe2c3 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 4331399
    23  com.adobe.Photoshop               0x0000000100278000 0x100000000 + 2588672
    24  com.adobe.Photoshop               0x000000010027817d 0x100000000 + 2589053
    25  com.adobe.Photoshop               0x0000000100071d74 0x100000000 + 466292
    26  com.adobe.Photoshop               0x000000010006716f 0x100000000 + 422255
    27  com.adobe.Photoshop               0x0000000100067232 0x100000000 + 422450
    28  com.adobe.Photoshop               0x000000010024fb1b 0x100000000 + 2423579
    29  com.adobe.Photoshop               0x000000010027910b 0x100000000 + 2593035
    30  com.adobe.PSAutomate              0x0000000121c6c4e3 PSEventIdle(unsigned int, _ADsc*, int, void*) + 107
    31  com.adobe.Photoshop               0x000000010024b057 0x100000000 + 2404439
    32  com.adobe.Photoshop               0x0000000100071d74 0x100000000 + 466292
    33  com.adobe.Photoshop               0x000000010006716f 0x100000000 + 422255
    34  com.adobe.Photoshop               0x0000000100067232 0x100000000 + 422450
    35  com.adobe.Photoshop               0x00000001012f0007 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16856267
    36  com.apple.AppKit                  0x00007fff841f06de -[NSApplication run] + 474
    37  com.adobe.Photoshop               0x00000001012ee19c AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16848480
    38  com.adobe.Photoshop               0x00000001012ef3c7 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16853131
    39  com.adobe.Photoshop               0x0000000100068e82 0x100000000 + 429698
    40  com.adobe.Photoshop               0x0000000100238308 0x100000000 + 2327304
    41  com.adobe.Photoshop               0x00000001002383a7 0x100000000 + 2327463
    42  com.adobe.Photoshop               0x0000000100002ea4 0x100000000 + 11940
    Thread 1:  Dispatch queue: com.apple.libdispatch-manager
    0   libSystem.B.dylib                 0x00007fff877fec0a kevent + 10
    1   libSystem.B.dylib                 0x00007fff87800add _dispatch_mgr_invoke + 154
    2   libSystem.B.dylib                 0x00007fff878007b4 _dispatch_queue_invoke + 185
    3   libSystem.B.dylib                 0x00007fff878002de _dispatch_worker_thread2 + 252
    4   libSystem.B.dylib                 0x00007fff877ffc08 _pthread_wqthread + 353
    5   libSystem.B.dylib                 0x00007fff877ffaa5 start_wqthread + 13
    Thread 2:
    0   libSystem.B.dylib                 0x00007fff877ffa2a __workq_kernreturn + 10
    1   libSystem.B.dylib                 0x00007fff877ffe3c _pthread_wqthread + 917
    2   libSystem.B.dylib                 0x00007fff877ffaa5 start_wqthread + 13
    Thread 3:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   com.adobe.amt.services            0x0000000108523c53 AMTConditionLock::LockWhenCondition(int) + 37
    3   com.adobe.amt.services            0x000000010851ccce _AMTThreadedPCDService::PCDThreadWorker(_AMTThreadedPCDService*) + 92
    4   com.adobe.amt.services            0x0000000108523cbe AMTThread::Worker(void*) + 28
    5   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    6   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 4:
    0   libSystem.B.dylib                 0x00007fff877ffa2a __workq_kernreturn + 10
    1   libSystem.B.dylib                 0x00007fff877ffe3c _pthread_wqthread + 917
    2   libSystem.B.dylib                 0x00007fff877ffaa5 start_wqthread + 13
    Thread 5:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 6:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 7:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 8:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 9:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 10:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 11:
    0   libSystem.B.dylib                 0x00007fff877e5dce semaphore_timedwait_trap + 10
    1   ...ple.CoreServices.CarbonCore    0x00007fff81f97186 MPWaitOnSemaphore + 96
    2   MultiProcessor Support            0x000000011d21ebd3 ThreadFunction(void*) + 69
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    4   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    5   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 12:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 13:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 14:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 15:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 16:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 17:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 18:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff87824881 _pthread_cond_wait + 1286
    2   ...ple.CoreServices.CarbonCore    0x00007fff81fc0d87 TSWaitOnCondition + 118
    3   ...ple.CoreServices.CarbonCore    0x00007fff81f2fff8 TSWaitOnConditionTimedRelative + 177
    4   ...ple.CoreServices.CarbonCore    0x00007fff81f29efb MPWaitOnQueue + 215
    5   AdobeACE                          0x000000010592c23d 0x1058f2000 + 238141
    6   AdobeACE                          0x000000010592bbea 0x1058f2000 + 236522
    7   ...ple.CoreServices.CarbonCore    0x00007fff81f020d1 PrivateMPEntryPoint + 63
    8   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    9   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 19:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff878208f9 nanosleep + 148
    2   com.adobe.PSAutomate              0x0000000121dea0fb ScObjects::Thread::sleep(unsigned int) + 59
    3   com.adobe.PSAutomate              0x0000000121dcc033 ScObjects::BridgeTalkThread::run() + 163
    4   com.adobe.PSAutomate              0x0000000121dea1f6 ScObjects::Thread::go(void*) + 166
    5   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    6   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 20:
    0   libSystem.B.dylib                 0x00007fff877ffa2a __workq_kernreturn + 10
    1   libSystem.B.dylib                 0x00007fff877ffe3c _pthread_wqthread + 917
    2   libSystem.B.dylib                 0x00007fff877ffaa5 start_wqthread + 13
    Thread 21:
    0   libSystem.B.dylib                 0x00007fff87820a6a __semwait_signal + 10
    1   libSystem.B.dylib                 0x00007fff878208f9 nanosleep + 148
    2   libSystem.B.dylib                 0x00007fff87820863 usleep + 57
    3   com.apple.AppKit                  0x00007fff843763a1 -[NSUIHeartBeat _heartBeatThread:] + 1540
    4   com.apple.Foundation              0x00007fff82401114 __NSThread__main__ + 1429
    5   libSystem.B.dylib                 0x00007fff8781efd6 _pthread_start + 331
    6   libSystem.B.dylib                 0x00007fff8781ee89 thread_start + 13
    Thread 0 crashed with X86 Thread State (64-bit):
      rax: 0x0000000000000000  rbx: 0x00000001233c9a20  rcx: 0x00007fff5fbfd808  rdx: 0x0000000000000000
      rdi: 0x00000000000001aa  rsi: 0x0000000000000006  rbp: 0x00007fff5fbfd820  rsp: 0x00007fff5fbfd808
       r8: 0x0000000000000000   r9: 0x0000000000000000  r10: 0x00007fff878300fa  r11: 0x0000000000000202
      r12: 0x00007fff5fbfd830  r13: 0x00007fff5fbfdde0  r14: 0x00007fff5fbfde28  r15: 0x000000012339e3f0
      rip: 0x00007fff878340b6  rfl: 0x0000000000000202  cr2: 0x000000011a1ce044
    Binary Images:
           0x100000000 -        0x1026b5fff +com.adobe.Photoshop 12.0 (12.0x20100407.r.1103) (12.0) <B69D89E5-01DD-C220-48B1-E129D0574536> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/MacOS/Adobe Photoshop CS5
           0x103295000 -        0x10330dfef +com.adobe.adobe_caps adobe_caps 3.0.116.0 (3.0.116.0) <4A355686-1451-B19A-0C55-DFE49FD2539E> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/adobe_caps.framework/Versions/A/adobe_caps
           0x103323000 -        0x10332afff  org.twain.dsm 1.9.4 (1.9.4) <D32C2B79-7DE8-1609-6BD4-FB55215BD75B> /System/Library/Frameworks/TWAIN.framework/Versions/A/TWAIN
           0x103332000 -        0x103342ff8 +com.adobe.ahclientframework 1.5.0.30 (1.5.0.30) <5D6FFC4E-7B81-3E8C-F0D4-66A3FA94A837> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/ahclient.framework/Versions/A/ahclient
           0x10334d000 -        0x103353ff7  com.apple.agl 3.0.12 (AGL-3.0.12) <E5986961-7A1E-C304-9BF4-431A32EF1DC2> /System/Library/Frameworks/AGL.framework/Versions/A/AGL
           0x10335a000 -        0x103560fef +com.adobe.linguistic.LinguisticManager 5.0.0 (11696) <499B4E7A-08BB-80FC-C220-D57D45CA424F> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeLinguistic.framework/Versions/3/AdobeLinguistic
           0x1035f3000 -        0x1037a1fef +com.adobe.owl AdobeOwl version 3.0.91 (3.0.91) <C36CA603-EFFB-2EED-6CEE-0B532CE052D2> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeOwl.framework/Versions/A/AdobeOwl
           0x103843000 -        0x103c73fef +AdobeMPS ??? (???) <FA334142-5343-8808-7760-4318EB62AD51> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeMPS.framework/Versions/A/AdobeMPS
           0x103dcd000 -        0x1040f8ff7 +AdobeAGM ??? (???) <52E17D56-6E7A-A635-82ED-5DE1F3E5045D> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeAGM.framework/Versions/A/AdobeAGM
           0x1041c5000 -        0x1044edfe7 +AdobeCoolType ??? (???) <9E03F47A-06A3-F1F4-AC4C-76F12FACC294> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeCoolType.framework/Versions/A/AdobeCoolType
           0x104585000 -        0x1045a6ff7 +AdobeBIBUtils ??? (???) <F7150688-2C15-0F0C-AF24-93ED82FC321A> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeBIBUtils.framework/Versions/A/AdobeBIBUtils
           0x1045b3000 -        0x1045deff6 +AdobeAXE8SharedExpat ??? (???) <7E809606-BF97-DB3A-E465-156446E56D00> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeAXE8SharedExpat.framework/Versions/A/AdobeAXE8SharedExpa t
           0x1045f0000 -        0x104734fef +WRServices ??? (???) <76354373-F0BD-0BAF-6FC0-B96DBB371755> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/WRServices.framework/Versions/A/WRServices
           0x10477b000 -        0x1047e0fff +aif_core ??? (???) <12FA670E-05A8-1FCB-A7A2-AAE68728EA30> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/aif_core.framework/Versions/A/aif_core
           0x1047fc000 -        0x104812fff +data_flow ??? (???) <9C5D39A6-D2A2-9B6A-8B64-D1B59396C112> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/data_flow.framework/Versions/A/data_flow
           0x10482a000 -        0x1048c0fff +image_flow ??? (???) <B72AA922-0D68-D57E-96B1-2E009B0AD4AE> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/image_flow.framework/Versions/A/image_flow
           0x104937000 -        0x104955fff +image_runtime ??? (???) <32786637-C9BF-4CB6-2DF9-5D99220E00BE> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/image_runtime.framework/Versions/A/image_runtime
           0x104972000 -        0x104ba1fff +aif_ogl ??? (???) <615E7DF6-09B1-857A-74AC-E224A636BEE1> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/aif_ogl.framework/Versions/A/aif_ogl
           0x104c80000 -        0x104d13fff +AdobeOwlCanvas ??? (???) <EC667F6D-0BB6-03EA-41E8-624425B2BF4B> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeOwlCanvas.framework/Versions/A/AdobeOwlCanvas
           0x104d33000 -        0x10507cfef +com.adobe.dvaui.framework dvaui version 5.0.0 (5.0.0.0) <023E0760-0223-AB5D-758C-2C5A052F6AF4> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/dvaui.framework/Versions/A/dvaui
           0x10520c000 -        0x10538efe7 +com.adobe.dvacore.framework dvacore version 5.0.0 (5.0.0.0) <42077295-9026-D519-C057-35E07029D97B> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/dvacore.framework/Versions/A/dvacore
           0x105430000 -        0x1057a8fff +com.adobe.dvaadameve.framework dvaadameve version 5.0.0 (5.0.0.0) <0E95A0DF-038A-CFF2-EC7B-BDB905CDF5C5> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/dvaadameve.framework/Versions/A/dvaadameve
           0x1058f2000 -        0x105a06fff +AdobeACE ??? (???) <E359887D-1E7F-5E62-CB8D-37CE4DBFB4D8> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeACE.framework/Versions/A/AdobeACE
           0x105a2b000 -        0x105a47fff +AdobeBIB ??? (???) <7A792F27-42CC-2DCA-D5DF-88A2CE6C2626> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeBIB.framework/Versions/A/AdobeBIB
           0x105a51000 -        0x105abbff7 +com.adobe.amtlib amtlib 3.0.0.64 (3.0.0.64) <6B2F73C2-10AB-08B3-4AB0-A31C83D1E5E0> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/amtlib.framework/Versions/A/amtlib
           0x105aee000 -        0x105bc1ffb +AdobeJP2K ??? (???) <465D1693-BE79-590E-E1AA-BAA8061B4746> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeJP2K.framework/Versions/A/AdobeJP2K
           0x105be1000 -        0x105be5ff8 +com.adobe.ape.shim adbeape version 3.1.65.7508 (3.1.65.7508) <0C380604-C686-C2E4-0535-C1FAB230187E> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/adbeape.framework/Versions/A/adbeape
           0x105be9000 -        0x105c60fff +FileInfo ??? (???) <6D5235B9-0EB6-17CA-6457-A2507A87EA8F> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/FileInfo.framework/Versions/A/FileInfo
           0x105c81000 -        0x105cdfffd +AdobeXMP ??? (???) <561026BB-C6EA-29CE-4790-CABCB81E8884> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeXMP.framework/Versions/A/AdobeXMP
           0x105ced000 -        0x106188fff +com.nvidia.cg 2.2.0006 (???) /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/Cg.framework/Cg
           0x10670e000 -        0x106764feb +com.adobe.headlights.LogSessionFramework ??? (2.0.1.011) <03B80698-2C3B-A232-F15F-8F08F8963A19> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/LogSession.framework/Versions/A/LogSession
           0x1067a9000 -        0x1067ceffe +adobepdfsettings ??? (???) <56E7F033-6032-2EC2-250E-43F1EBD123B1> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/adobepdfsettings.framework/Versions/A/adobepdfsettings
           0x106808000 -        0x10680dffd +com.adobe.AdobeCrashReporter 3.0 (3.0.20100302) <DFFB9A08-8369-D65F-161F-7C61D562E307> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeCrashReporter.framework/Versions/A/AdobeCrashReporter
           0x106812000 -        0x1069adfff +com.adobe.PlugPlug 2.0.0.746 (2.0.0.746) <CB23C5AA-0E4B-182B-CB88-57DD32893F92> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/PlugPlug.framework/Versions/A/PlugPlug
           0x106a55000 -        0x106a6efeb +libtbb.dylib ??? (???) /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/libtbb.dylib
           0x106a7f000 -        0x106a85feb +libtbbmalloc.dylib ??? (???) /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/libtbbmalloc.dylib
           0x106a8c000 -        0x106a8cff7  libmx.A.dylib 315.0.0 (compatibility 1.0.0) <B146C134-CE18-EC95-12F8-E5C2BCB43A6B> /usr/lib/libmx.A.dylib
           0x106a8f000 -        0x106a97ff3 +com.adobe.boost_threads.framework boost_threads version 5.0.0 (5.0.0.0) <6858DF5A-F020-22A7-B945-14EC277724D4> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/boost_threads.framework/Versions/A/boost_threads
           0x106a9e000 -        0x106b84fe7  libcrypto.0.9.7.dylib 0.9.7 (compatibility 0.9.7) <2D39CB30-54D9-B03E-5FCF-E53122F87484> /usr/lib/libcrypto.0.9.7.dylib
           0x106f78000 -        0x106f7afef  com.apple.textencoding.unicode 2.3 (2.3) <B254327D-2C4A-3296-5812-6F74C7FFECD9> /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
           0x106ff9000 -        0x106ffafff  libCyrillicConverter.dylib 49.0.0 (compatibility 1.0.0) <84C660E9-8370-79D1-2FC0-6C21C3079C17> /System/Library/CoreServices/Encodings/libCyrillicConverter.dylib
           0x108500000 -        0x108570ff6 +com.adobe.amt.services AMTServices 3.0.0.64 (BuildVersion: 3.0; BuildDate: Mon Jan 26 2010 21:49:00) (3.0.0.64) <52FF1F9B-9991-ECE2-C7E3-09DA1B368CBE> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/amtservices.framework/Versions/a/amtservices
           0x1086cd000 -        0x1086e4fe7  libJapaneseConverter.dylib 49.0.0 (compatibility 1.0.0) <1A440248-D188-CA5D-8C20-5FA33647DE93> /System/Library/CoreServices/Encodings/libJapaneseConverter.dylib
           0x1086e8000 -        0x108709fef  libKoreanConverter.dylib 49.0.0 (compatibility 1.0.0) <76503A7B-58B6-64B9-1207-0C273AF47C1C> /System/Library/CoreServices/Encodings/libKoreanConverter.dylib
           0x10870d000 -        0x10871cfe7  libSimplifiedChineseConverter.dylib 49.0.0 (compatibility 1.0.0) <1718111B-FC8D-6C8C-09A7-6CEEB0826A66> /System/Library/CoreServices/Encodings/libSimplifiedChineseConverter.dylib
           0x108720000 -        0x108732fff  libTraditionalChineseConverter.dylib 49.0.0 (compatibility 1.0.0) <00E29B30-3877-C559-85B3-66BAACBE005B> /System/Library/CoreServices/Encodings/libTraditionalChineseConverter.dylib
           0x108737000 -        0x10873ffff +com.adobe.asneu.framework asneu version 1.7.0.1 (1.7.0.1) <3D59CB21-F5C7-4232-AB00-DFEB04206024> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/asneu.framework/Versions/a/asneu
           0x1087d2000 -        0x1087f8fff  GLRendererFloat ??? (???) <38621D22-8F49-F937-851B-E21BD49A8A88> /System/Library/Frameworks/OpenGL.framework/Resources/GLRendererFloat.bundle/GLRendererFl oat
           0x11a6de000 -        0x11a6e5fff +Enable Async IO ??? (???) <9C98DC9E-5974-FE5D-75C3-16BC4738DCC8> /Applications/Adobe Photoshop CS5/Plug-ins/Extensions/Enable Async IO.plugin/Contents/MacOS/Enable Async IO
           0x11aedb000 -        0x11aee4fff +FastCore ??? (???) <F1D1C94D-4FE1-F969-6FC2-8D81837CA5E1> /Applications/Adobe Photoshop CS5/Plug-ins/Extensions/FastCore.plugin/Contents/MacOS/FastCore
           0x11c840000 -        0x11c9d3fe7  GLEngine ??? (???) <BCE83654-81EC-D231-ED6E-1DD449B891F2> /System/Library/Frameworks/OpenGL.framework/Resources/GLEngine.bundle/GLEngine
           0x11ca04000 -        0x11ce20fff  com.apple.ATIRadeonX2000GLDriver 1.6.36 (6.3.6) <EBE273B9-6BF7-32B1-C5A2-2B3C85D776AA> /System/Library/Extensions/ATIRadeonX2000GLDriver.bundle/Contents/MacOS/ATIRadeonX2000GLD river
           0x11d100000 -        0x11d163ff3 +MMXCore ??? (???) <2DB6FA8E-4373-9823-C4F5-A9F5F8F80717> /Applications/Adobe Photoshop CS5/Plug-ins/Extensions/MMXCore.plugin/Contents/MacOS/MMXCore
           0x11d1e9000 -        0x11d254ff0 +MultiProcessor Support ??? (???) <1334B570-C713-3767-225F-3C1CBA1BF37C> /Applications/Adobe Photoshop CS5/Plug-ins/Extensions/MultiProcessor Support.plugin/Contents/MacOS/MultiProcessor Support
           0x121c68000 -        0x121ec4fef +com.adobe.PSAutomate 12.0 (12.0) <35AEF3A8-2E64-71D1-39ED-A34760CAAC29> /Applications/Adobe Photoshop CS5/Plug-ins/Extensions/ScriptingSupport.plugin/Contents/MacOS/ScriptingSupport
           0x1220da000 -        0x12217effb +com.adobe.AdobeExtendScript ExtendScript 4.1.23 (4.1.23.7573) <332E7D8D-BF42-3177-9BC5-033942DE35E0> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeExtendScript.framework/Versions/A/AdobeExtendScript
           0x1221e0000 -        0x122280fef +com.adobe.AdobeScCore ScCore 4.1.23 (4.1.23.7573) <53DD7281-5B59-7FF5-DB57-C9FD60E524C7> /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/Frameworks/AdobeScCore.framework/Versions/A/AdobeScCore
           0x1222c6000 -        0x1222e6ffb +com.adobe.ape adbeapecore version 3.1.70.10055 (3.1.70.10055) <66373ADB-0865-ECDB-D3D0-B3373FC43919> /Library/Application Support/Adobe/APE/3.1/adbeapecore.framework/adbeapecore
           0x123500000 -        0x12351cff7 +MeasurementCore ??? (???) <0E3BE9B3-FF3D-78A6-38EC-5CB0828B80EB> /Applications/Adobe Photoshop CS5/Plug-ins/Measurements/MeasurementCore.plugin/Contents/MacOS/MeasurementCore
        0x7fff5fc00000 -     0x7fff5fc3be0f  dyld 132.1 (???) <29DECB19-0193-2575-D838-CF743F0400B2> /usr/lib/dyld
        0x7fff80003000 -     0x7fff800e0fff  com.apple.vImage 4.1 (4.1) <C3F44AA9-6F71-0684-2686-D3BBC903F020> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.framework/Ve rsions/A/vImage
        0x7fff800e1000 -     0x7fff80104fff  com.apple.opencl 12.3.6 (12.3.6) <42FA5783-EB80-1168-4015-B8C68F55842F> /System/Library/Frameworks/OpenCL.framework/Versions/A/OpenCL
        0x7fff80105000 -     0x7fff8014dff7  libvDSP.dylib 268.0.1 (compatibility 1.0.0) <98FC4457-F405-0262-00F7-56119CA107B6> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libvDSP.dylib
        0x7fff8014e000 -     0x7fff801a1ff7  com.apple.HIServices 1.8.3 (???) <F6E0C7A7-C11D-0096-4DDA-2C77793AA6CD> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/HIServices .framework/Versions/A/HIServices
        0x7fff801b5000 -     0x7fff801c9fff  libGL.dylib ??? (???) <2ECE3B0F-39E1-3938-BF27-7205C6D0358B> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
        0x7fff801f4000 -     0x7fff809fefe7  libBLAS.dylib 219.0.0 (compatibility 1.0.0) <FC941ECB-71D0-FAE3-DCBF-C5A619E594B8> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libBLAS.dylib
        0x7fff80b28000 -     0x7fff80ba7fe7  com.apple.audio.CoreAudio 3.2.6 (3.2.6) <79E256EB-43F1-C7AA-6436-124A4FFB02D0> /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
        0x7fff80ba8000 -     0x7fff80bf4fff  libauto.dylib ??? (???) <F7221B46-DC4F-3153-CE61-7F52C8C293CF> /usr/lib/libauto.dylib
        0x7fff8108c000 -     0x7fff81109fef  libstdc++.6.dylib 7.9.0 (compatibility 7.0.0) <35ECA411-2C08-FD7D-11B1-1B7A04921A5C> /usr/lib/libstdc++.6.dylib
        0x7fff81116000 -     0x7fff8112dfff  com.apple.ImageCapture 6.1 (6.1) <79AB2131-2A6C-F351-38A9-ED58B25534FD> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture.framework/ Versions/A/ImageCapture
        0x7fff814ad000 -     0x7fff8166bfff  libicucore.A.dylib 40.0.0 (compatibility 1.0.0) <4274FC73-A257-3A56-4293-5968F3428854> /usr/lib/libicucore.A.dylib
        0x7fff8166c000 -     0x7fff81670ff7  libmathCommon.A.dylib 315.0.0 (compatibility 1.0.0) <95718673-FEEE-B6ED-B127-BCDBDB60D4E5> /usr/lib/system/libmathCommon.A.dylib
        0x7fff81671000 -     0x7fff81671ff7  com.apple.Cocoa 6.6 (???) <68B0BE46-6E24-C96F-B341-054CF9E8F3B6> /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
        0x7fff81a26000 -     0x7fff81a90fe7  libvMisc.dylib 268.0.1 (compatibility 1.0.0) <AF0EA96D-000F-8C12-B952-CB7E00566E08> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libvMisc.dylib
        0x7fff81ac1000 -     0x7fff81ad0fff  com.apple.NetFS 3.2.2 (3.2.2) <7CCBD70E-BF31-A7A7-DB98-230687773145> /System/Library/Frameworks/NetFS.framework/Versions/A/NetFS
        0x7fff81ad1000 -     0x7fff81ad1ff7  com.apple.ApplicationServices 38 (38) <10A0B9E9-4988-03D4-FC56-DDE231A02C63> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices
        0x7fff81ad2000 -     0x7fff81e6ffe7  com.apple.QuartzCore 1.6.3 (227.37) <16DFF6CD-EA58-CE62-A1D7-5F6CE3D066DD> /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
        0x7fff81e70000 -     0x7fff81eb9fef  libGLU.dylib ??? (???) <B0F4CA55-445F-E901-0FCF-47B3B4BAE6E2> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
        0x7fff81eba000 -     0x7fff81ebffff  libGIF.dylib ??? (???) <5B2AF093-1E28-F0CF-2C13-BA9AB4E2E177> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/Resources/libGIF.dylib
        0x7fff81ec0000 -     0x7fff81efafff  libcups.2.dylib 2.8.0 (compatibility 2.0.0) <7982734A-B66B-44AA-DEEC-364D2C10009B> /usr/lib/libcups.2.dylib
        0x7fff81efb000 -     0x7fff8222ffef  com.apple.CoreServices.CarbonCore 861.39 (861.39) <1386A24D-DD15-5903-057E-4A224FAF580B> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonCore.framew ork/Versions/A/CarbonCore
        0x7fff82230000 -     0x7fff823effff  com.apple.ImageIO.framework 3.0.6 (3.0.6) <2C39859A-043D-0EB0-D412-EC2B5714B869> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/ImageIO
        0x7fff823f0000 -     0x7fff82672fff  com.apple.Foundation 6.6.8 (751.63) <E10E4DB4-9D5E-54A8-3FB6-2A82426066E4> /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
        0x7fff82673000 -     0x7fff8273efff  ColorSyncDeprecated.dylib 4.6.0 (compatibility 1.0.0) <86982FBB-B224-CBDA-A9AD-8EE97BDB8681> /System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/V ersions/A/Resources/ColorSyncDeprecated.dylib
        0x7fff8273f000 -     0x7fff8275ffff  com.apple.DirectoryService.Framework 3.6 (621.15) <9AD2A133-4275-5666-CE69-98FDF9A38B7A> /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryService
        0x7fff82760000 -     0x7fff8276eff7  libkxld.dylib ??? (???) <8145A534-95CC-9F3C-B78B-AC9898F38C6F> /usr/lib/system/libkxld.dylib
        0x7fff8279f000 -     0x7fff827d0fff  libGLImage.dylib ??? (???) <562565E1-AA65-FE96-13FF-437410C886D0> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dylib
        0x7fff8283a000 -     0x7fff8283dfff  com.apple.help 1.3.2 (41.1) <BD1B0A22-1CB8-263E-FF85-5BBFDE3660B9> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framework/Versions /A/Help
        0x7fff82842000 -     0x7fff8285bfff  com.apple.CFOpenDirectory 10.6 (10.6) <401557B1-C6D1-7E1A-0D7E-941715C37BFA> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/Frameworks/CFOpenDirectory. framework/Versions/A/CFOpenDirectory
        0x7fff82912000 -     0x7fff82a2cfff  libGLProgrammability.dylib ??? (???) <D1650AED-02EF-EFB3-100E-064C7F018745> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLProgrammability.dyl ib
        0x7fff82a71000 -     0x7fff82a73fff  libRadiance.dylib ??? (???) <61631C08-60CC-D122-4832-EA59824E0025> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/Resources/libRadiance.dylib
        0x7fff82a74000 -     0x7fff82a7aff7  com.apple.DiskArbitration 2.3 (2.3) <857F6E43-1EF4-7D53-351B-10DE0A8F992A> /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
        0x7fff82a7b000 -     0x7fff82d04ff7  com.apple.security 6.1.2 (55002) <4419AFFC-DAE7-873E-6A7D-5C9A5A4497A6> /System/Library/Frameworks/Security.framework/Versions/A/Security
        0x7fff82d59000 -     0x7fff831a0fef  com.apple.RawCamera.bundle 3.7.1 (570) <5AFA87CA-DC3D-F84E-7EA1-6EABA8807766> /System/Library/CoreServices/RawCamera.bundle/Contents/MacOS/RawCamera
        0x7fff831a1000 -     0x7fff831b7fef  libbsm.0.dylib ??? (???) <42D3023A-A1F7-4121-6417-FCC6B51B3E90> /usr/lib/libbsm.0.dylib
        0x7fff831ef000 -     0x7fff83210fff  libresolv.9.dylib 41.0.0 (compatibility 1.0.0) <9F322F47-0584-CB7D-5B73-9EBD670851CD> /usr/lib/libresolv.9.dylib
        0x7fff8361c000 -     0x7fff836a8fef  SecurityFoundation ??? (???) <3F1F2727-C508-3630-E2C1-38361841FCE4> /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoundation
        0x7fff83733000 -     0x7fff83744ff7  libz.1.dylib 1.2.3 (compatibility 1.0.0) <97019C74-161A-3488-41EC-A6CA8738418C> /usr/lib/libz.1.dylib
        0x7fff83745000 -     0x7fff8382afef  com.apple.DesktopServices 1.5.11 (1.5.11) <39FAA3D2-6863-B5AB-AED9-92D878EA2438> /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/DesktopService sPriv
        0x7fff8382b000 -     0x7fff83923ff7  libiconv.2.dylib 7.0.0 (compatibility 7.0.0) <44AADE50-15BC-BC6B-BEF0-5029A30766AC> /usr/lib/libiconv.2.dylib
        0x7fff83924000 -     0x7fff839e1fff  com.apple.CoreServices.OSServices 359.2 (359.2) <BBB8888E-18DE-5D09-3C3A-F4C029EC7886> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServices.framew ork/Versions/A/OSServices
        0x7fff83a17000 -     0x7fff83a32ff7  com.apple.openscripting 1.3.1 (???) <9D50701D-54AC-405B-CC65-026FCB28258B> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting.framework /Versions/A/OpenScripting
        0x7fff83e3e000 -     0x7fff83ef3fe7  com.apple.ink.framework 1.3.3 (107) <8C36373C-5473-3A6A-4972-BC29D504250F> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework/Versions/ A/Ink
        0x7fff83ef4000 -     0x7fff83ef9fff  libGFXShared.dylib ??? (???) <6BBC351E-40B3-F4EB-2F35-05BDE52AF87E> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGFXShared.dylib
        0x7fff83efa000 -     0x7fff83f37ff7  libFontRegistry.dylib ??? (???) <4C3293E2-851B-55CE-3BE3-29C425DD5DFF> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framew ork/Versions/A/Resources/libFontRegistry.dylib
        0x7fff83faa000 -     0x7fff8404afff  com.apple.LaunchServices 362.3 (362.3) <B90B7C31-FEF8-3C26-BFB3-D8A48BD2C0DA> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchServices.fr amework/Versions/A/LaunchServices
        0x7fff8404b000 -     0x7fff8404bff7  com.apple.Accelerate 1.6 (Accelerate 1.6) <15DF8B4A-96B2-CB4E-368D-DEC7DF6B62BB> /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
        0x7fff8404c000 -     0x7fff84102ff7  libobjc.A.dylib 227.0.0 (compatibility 1.0.0) <03140531-3B2D-1EBA-DA7F-E12CC8F63969> /usr/lib/libobjc.A.dylib
        0x7fff84186000 -     0x7fff841e6fe7  com.apple.framework.IOKit 2.0 (???) <4F071EF0-8260-01E9-C641-830E582FA416> /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
        0x7fff841e7000 -     0x7fff84be1ff7  com.apple.AppKit 6.6.8 (1038.36) <4CFBE04C-8FB3-B0EA-8DDB-7E7D10E9D251> /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
        0x7fff84c9b000 -     0x7fff84cdeff7  libRIP.A.dylib 545.0.0 (compatibility 64.0.0) <5FF3D7FD-84D8-C5FA-D640-90BB82EC651D> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/CoreGraphi cs.framework/Versions/A/Resources/libRIP.A.dylib
        0x7fff84f1a000 -     0x7fff84fd3fff  libsqlite3.dylib 9.6.0 (compatibility 9.0.0) <2C5ED312-E646-9ADE-73A9-6199A2A43150> /usr/lib/libsqlite3.dylib
        0x7fff84fd4000 -     0x7fff85112fff  com.apple.CoreData 102.1 (251) <9DFE798D-AA52-6A9A-924A-DA73CB94D81A> /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
        0x7fff8511f000 -     0x7fff85140fe7  libPng.dylib ??? (???) <14F055F9-D7B2-27B2-E2CF-F0A222BFF14D> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/Resources/libPng.dylib
        0x7fff8530f000 -     0x7fff8542efe7  libcrypto.0.9.8.dylib 0.9.8 (compatibility 0.9.8) <14115D29-432B-CF02-6B24-A60CC533A09E> /usr/lib/libcrypto.0.9.8.dylib
        0x7fff85498000 -     0x7fff854adff7  com.apple.LangAnalysis 1.6.6 (1.6.6) <1AE1FE8F-2204-4410-C94E-0E93B003BEDA> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/LangAnalys is.framework/Versions/A/LangAnalysis
        0x7fff854be000 -     0x7fff8556efff  edu.mit.Kerberos 6.5.11 (6.5.11) <085D80F5-C9DC-E252-C21B-03295E660C91> /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos
        0x7fff855d8000 -     0x7fff855fdff7  com.apple.CoreVideo 1.6.2 (45.6) <E138C8E7-3CB6-55A9-0A2C-B73FE63EA288> /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
        0x7fff85622000 -     0x7fff85622ff7  com.apple.Carbon 150 (152) <FA427C37-CF97-6773-775D-4F752ED68581> /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
        0x7fff8564b000 -     0x7fff8568cfff  com.apple.SystemConfiguration 1.10.8 (1.10.2) <78D48D27-A9C4-62CA-2803-D0BBED82855A> /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfiguration
        0x7fff8571b000 -     0x7fff857a0ff7  com.apple.print.framework.PrintCore 6.3 (312.7) <CDFE82DD-D811-A091-179F-6E76069B432D> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/PrintCore. framework/Versions/A/PrintCore
        0x7fff857a1000 -     0x7fff857c9fff  com.apple.DictionaryServices 1.1.2 (1.1.2) <E9269069-93FA-2B71-F9BA-FDDD23C4A65E> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/DictionaryService s.framework/Versions/A/DictionaryServices
        0x7fff85933000 -     0x7fff85a4afef  libxml2.2.dylib 10.3.0 (compatibility 10.0.0) <1B27AFDD-DF87-2009-170E-C129E1572E8B> /usr/lib/libxml2.2.dylib
        0x7fff85a7b000 -     0x7fff85a7eff7  com.apple.securityhi 4.0 (36638) <AEF55AF1-54D3-DB8D-27A7-E16192E0045A> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.framework/Ve rsions/A/SecurityHI
        0x7fff85a7f000 -     0x7fff85b0ffff  com.apple.SearchKit 1.3.0 (1.3.0) <4175DC31-1506-228A-08FD-C704AC9DF642> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchKit.framewo rk/Versions/A/SearchKit
        0x7fff86bcf000 -     0x7fff872cbff7  com.apple.CoreGraphics 1.545.0 (???) <58D597B1-EB3B-710E-0B8C-EC114D54E11B> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/CoreGraphi cs.framework/Versions/A/CoreGraphics
        0x7fff872cc000 -     0x7fff872cefff  com.apple.print.framework.Print 6.1 (237.1) <CA8564FB-B366-7413-B12E-9892DA3C6157> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framework/Version s/A/Print
        0x7fff872cf000 -     0x7fff872faff7  libxslt.1.dylib 3.24.0 (compatibility 3.0.0) <8AB4CA9E-435A-33DA-7041-904BA7FA11D5> /usr/lib/libxslt.1.dylib
        0x7fff87309000 -     0x7fff87344fff  com.apple.AE 496.5 (496.5) <208DF391-4DE6-81ED-C697-14A2930D1BC6> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.framework/Vers ions/A/AE
        0x7fff87345000 -     0x7fff8735bfe7  com.apple.MultitouchSupport.framework 207.11 (207.11) <8233CE71-6F8D-8B3C-A0E1-E123F6406163> /System/Library/PrivateFrameworks/MultitouchSupport.framework/Versions/A/MultitouchSuppor t
        0x7fff8735c000 -     0x7fff8741dfff  libFontParser.dylib ??? (???) <A00BB0A7-E46C-1D07-1391-194745566C7E> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framew ork/Versions/A/Resources/libFontParser.dylib
        0x7fff8741e000 -     0x7fff874dffef  com.apple.ColorSync 4.6.8 (4.6.8) <7DF1D175-6451-51A2-DBBF-40FCA78C0D2C> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ColorSync. framework/Versions/A/ColorSync
        0x7fff874ea000 -     0x7fff874f0ff7  com.apple.CommerceCore 1.0 (9.1) <3691E9BA-BCF4-98C7-EFEC-78DA6825004E> /System/Library/PrivateFrameworks/CommerceKit.framework/Versions/A/Frameworks/CommerceCor e.framework/Versions/A/CommerceCore
        0x7fff8750d000 -     0x7fff8758bff7  com.apple.CoreText 151.13 (???) <5C6214AD-D683-80A8-86EB-328C99B75322> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/CoreText.f ramework/Versions/A/CoreText
        0x7fff877df000 -     0x7fff877e4ff7  com.apple.CommonPanels 1.2.4 (91) <4D84803B-BD06-D80E-15AE-EFBE43F93605> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels.framework/ Versions/A/CommonPanels
        0x7fff877e5000 -     0x7fff879a6fef  libSystem.B.dylib 125.2.11 (compatibility 1.0.0) <9AB4F1D1-89DC-0E8A-DC8E-A4FE4D69DB69> /usr/lib/libSystem.B.dylib
        0x7fff87a8b000 -     0x7fff87a98fe7  libCSync.A.dylib 545.0.0 (compatibility 64.0.0) <1C35FA50-9C70-48DC-9E8D-2054F7A266B1> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/CoreGraphi cs.framework/Versions/A/Resources/libCSync.A.dylib
        0x7fff87ad8000 -     0x7fff87c0dfff  com.apple.audio.toolbox.AudioToolbox 1.6.7 (1.6.7) <F4814A13-E557-59AF-30FF-E62929367933> /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
        0x7fff87c0e000 -     0x7fff87c55ff7  com.apple.coreui 2 (114) <923E33CC-83FC-7D35-5603-FB8F348EE34B> /System/Library/PrivateFrameworks/CoreUI.framework/Versions/A/CoreUI
        0x7fff87c68000 -     0x7fff87cb7ff7  com.apple.DirectoryService.PasswordServerFramework 6.1 (6.1) <0731C40D-71EF-B417-C83B-54C3527A36EA> /System/Library/PrivateFrameworks/PasswordServer.framework/Versions/A/PasswordServer
        0x7fff87cc4000 -     0x7fff87e3bfe7  com.apple.CoreFoundation 6.6.6 (550.44) <BB4E5158-E47A-39D3-2561-96CB49FA82D4> /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
        0x7fff87e3c000 -     0x7fff87e4efe7  libsasl2.2.dylib 3.15.0 (compatibility 3.0.0) <76B83C8D-8EFE-4467-0F75-275648AFED97> /usr/lib/libsasl2.2.dylib
        0x7fff87e58000 -     0x7fff87e63ff7  com.apple.speech.recognition.framework 3.11.1 (3.11.1) <3D65E89B-FFC6-4AAF-D5CC-104F967C8131> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecognition.frame work/Versions/A/SpeechRecognition
        0x7fff87ef4000 -     0x7fff87f8efe7  com.apple.ApplicationServices.ATS 275.16 (???) <4B70A2FC-1902-5F27-5C3B-5C78C283C6EA> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framew ork/Versions/A/ATS
        0x7fff87fa8000 -     0x7fff87facff7  libCGXType.A.dylib 545.0.0 (compatibility 64.0.0) <DB710299-B4D9-3714-66F7-5D2964DE585B> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/CoreGraphi cs.framework/Versions/A/Resources/libCGXType.A.dylib
        0x7fff87fad000 -     0x7fff87fadff7  com.apple.Accelerate.vecLib 3.6 (vecLib 3.6) <4CCE5D69-F1B3-8FD3-1483-E0271DB2CCF3> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/vecLib
        0x7fff880bf000 -     0x7fff88193fe7  com.apple.CFNetwork 454.12.4 (454.12.4) <C83E2BA1-1818-B3E8-5334-860AD21D1C80> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwork.framewo rk/Versions/A/CFNetwork
        0x7fff88419000 -     0x7fff88419ff7  com.apple.CoreServices 44 (44) <DC7400FB-851E-7B8A-5BF6-6F50094302FB> /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
        0x7fff8842e000 -     0x7fff88431ff7  libCoreVMClient.dylib ??? (???) <75819794-3B7A-8944-D004-7EA6DD7CE836> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCoreVMClient.dylib
        0x7fff88455000 -     0x7fff88456ff7  com.apple.TrustEvaluationAgent 1.1 (1) <5952A9FA-BC2B-16EF-91A7-43902A5C07B6> /System/Library/PrivateFrameworks/TrustEvaluationAgent.framework/Versions/A/TrustEvaluati onAgent
        0x7fff88463000 -     0x7fff88464fff  liblangid.dylib ??? (???) <EA4D1607-2BD5-2EE2-2A3B-632EEE5A444D> /usr/lib/liblangid.dylib
        0x7fff88477000 -     0x7fff88477ff7  com.apple.vecLib 3.6 (vecLib 3.6) <96FB6BAD-5568-C4E0-6FA7-02791A58B584> /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
        0x7fff88478000 -     0x7fff884c2ff7  com.apple.Metadata 10.6.3 (507.15) <2EF19055-D7AE-4D77-E589-7B71B0BC1E59> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadata.framewor k/Versions/A/Metadata
        0x7fff884c3000 -     0x7fff884c4ff7  com.apple.audio.units.AudioUnit 1.6.7 (1.6.7) <49B723D1-85F8-F86C-2331-F586C56D68AF> /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
        0x7fff884c5000 -     0x7fff884ecff7  libJPEG.dylib ??? (???) <472D4A31-C1F3-57FD-6453-6621C48B95BF> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/Resources/libJPEG.dylib
        0x7fff8856a000 -     0x7fff88868fff  com.apple.HIToolbox 1.6.5 (???) <AD1C18F6-51CB-7E39-35DD-F16B1EB978A8> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.framework/Ver sions/A/HIToolbox
        0x7fff88869000 -     0x7fff8886fff7  IOSurface ??? (???) <8E302BB2-0704-C6AB-BD2F-C2A6C6A2E2C3> /System/Library/Frameworks/IOSurface.framework/Versions/A/IOSurface
        0x7fff88870000 -     0x7fff888c6fe7  libTIFF.dylib ??? (???) <9BC0CAD5-47F2-9B4F-0C10-D50A7A27F461> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ImageIO.fr amework/Versions/A/Resources/libTIFF.dylib
        0x7fff8973b000 -     0x7fff8976eff7  libTrueTypeScaler.dylib ??? (???) <69D4A213-45D2-196D-7FF8-B52A31DFD329> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framew ork/Versions/A/Resources/libTrueTypeScaler.dylib
        0x7fff8976f000 -     0x7fff897c4ff7  com.apple.framework.familycontrols 2.0.2 (2020) <8807EB96-D12D-8601-2E74-25784A0DE4FF> /System/Library/PrivateFrameworks/FamilyControls.framework/Versions/A/FamilyControls
        0x7fff897e1000 -     0x7fff897e8fff  com.apple.OpenDirectory 10.6 (10.6) <4FF6AD25-0916-B21C-9E88-2CC42D90EAC7> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/OpenDirectory
        0x7fff897e9000 -     0x7fff897fdff7  com.apple.speech.synthesis.framework 3.10.35 (3.10.35) <621B7415-A0B9-07A7-F313-36BEEDD7B132> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/SpeechSynt hesis.framework/Versions/A/SpeechSynthesis
        0x7fff897fe000 -     0x7fff8980dfef  com.apple.opengl 1.6.14 (1.6.14) <ECAE2D12-5BE3-46E7-6EE5-563B80B32A3E> /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
        0x7fff898aa000 -     0x7fff898ebfef  com.apple.QD 3.36 (???) <5DC41E81-32C9-65B2-5528-B33E934D5BB4> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/QD.framewo rk/Versions/A/QD
        0x7fff89902000 -     0x7fff89d45fef  libLAPACK.dylib 219.0.0 (compatibility 1.0.0) <0CC61C98-FF51-67B3-F3D8-C5E430C201A9> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libLAPACK.dylib
        0x7fffffe00000 -     0x7fffffe01fff  libSystem.B.dylib ??? (???) <9AB4F1D1-89DC-0E8A-DC8E-A4FE4D69DB69> /usr/lib/libSystem.B.dylib
    Model: iMac11,1, BootROM IM111.0034.B02, 4 processors, Intel Core i7, 2.8 GHz, 4 GB, SMC 1.54f36
    Graphics: ATI Radeon HD 4850, ATI Radeon HD 4850, PCIe, 512 MB
    Memory Module: global_name
    AirPort: spairport_wireless_card_type_airport_extreme (0x168C, 0x8F), Atheros 9280: 2.1.14.6
    Bluetooth: Version 2.4.5f3, 2 service, 19 devices, 1 incoming serial ports
    Network Service: Ethernet, Ethernet, en0
    Network Service: AirPort, AirPort, en1
    Serial ATA Device: ST31000528AS, 931.51 GB
    Serial ATA Device: OPTIARC DVD RW AD-5680H
    USB Device: Hub, 0x0424  (SMSC), 0x2514, 0xfa100000 / 2
    USB Device: My Book 1140, 0x1058  (Western Digital Technologies, Inc.), 0x1140, 0xfa140000 / 6
    USB Device: My Book 1140, 0x1058  (Western Digital Technologies, Inc.), 0x1140, 0xfa130000 / 5
    USB Device: Intern

    Last week I had the computer's hard drive replaced after the old one had gone bad. All the data was transferred fine to the new hard drive
    It depends on how the program was transfered.  If direct file copy it probably will not work, as all the files are not in one directory.  It is usually safest to reinstall from a disk or download.  You might want to unistall the programs and run Adobe Script Cleaner and then reinstall.

  • On save as: Unexpected and unrecoverable problem has occurred. Photoshop will now exit. (Mac 10.7.3)

    Hello,
    We are working on Macinthosh intel - Mac Pro Intel Xeon september 2007, with MacOs 10.7.3.
    After trying to install the beta version of Photoshop CS6, we got serious problems.
    - The CS5 Photoshop and Acrobat 9 is not working anymore.
    When we want to "save as…", both application will crash.
    When we do "save as weboptimized", un error says that the file already exists.
    We did not manage to install the CS6 Photoshop beta neither.
    I tried EVERYTHING supposed to do in other forums and in the adobe forums, like:
    - latest version of AdobeApplication Manager
    - Adobe cleaner tool
    - Adobe support advisor
    - cleaning manually everything on the disk which containes CS6
    - Reparing Autorisation
    - Trying to reinstall CS5 (but without issue
    - trash prefs
    - deactivate and reactivate PHotoshop
    and some others…
    When trying to "save as" or save as weboptimized…", the following errors appears:
    The operation could not be completed.
    An unexpected and unrecoverable problem has occurred. Photoshop will now exit.
    When trying to "save as weboptimized" the following error appears:
    A file or directory already exists with the same name.
    When exporting or "save as" in Acrobat:
    Acrobat is blocked, everything in the application menu is turned gray but there is not open window.
    I have to exit with "esc+Alt+Command"
    All this problems occured after installation of Photoshop Beta CS6, which could not be completed because of some more errors causing a licence conflict with CS5.
    We were also trying the Adobe support advisor, we got the following error massage:
    Exit Code: 16
    Please see specific errors and warnings below for troubleshooting. For example,  ERROR: DW039 ...
    -------------------------------------- Summary --------------------------------------
      - 0 fatal error(s), 1 error(s), 0 warning(s)
    ERROR: DW039: Failed to load deployment File
    AND
    Exit Code: 7
    Please see specific errors and warnings below for troubleshooting. For example,  ERROR: DW013 ... WARNING: DW017 ...
    -------------------------------------- Summary --------------------------------------
      - 0 fatal error(s), 1 error(s), 1 warning(s)
    WARNING: DW017: PayloadPolicyNode.SetAction: IN payload {463D65D7-CD43-4FAC-A6C7-7D24CB5DB93B} Adobe Media Player 1.8.0.0 is required by {7DFEBBA4-81E1-425B-BBAA-06E9E5BBD97E} Adobe Photoshop CS5 Core 12.0.0.0 but isn't free. Reason: Language not supported
    ERROR: DW013: Unable to locate volume for path. Please verify that path [UserDocuments] is a valid path. Please ensure that if any intermediate directories exist, they are valid directories and not files/symlinks
    Here is the content of the Crash Report:
    Process:    
    Adobe Photoshop CS5 [1403]
    Path:       
    /Applications/Adobe Photoshop CS5/Adobe Photoshop CS5.app/Contents/MacOS/Adobe Photoshop CS5
    Identifier: 
    com.adobe.Photoshop
    Version:    
    12.0.4 (12.0.4x20110407.r.1265] [12.0.4)
    Code Type:  
    X86-64 (Native)
    Parent Process:  launchd [299]
    Date/Time:  
    2012-04-17 10:10:50.329 +0200
    OS Version: 
    Mac OS X 10.7.3 (11D50)
    Report Version:  9
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_CRASH (SIGABRT)
    Exception Codes: 0x0000000000000000, 0x0000000000000000
    Application Specific Information:
    objc[1403]: garbage collection is OFF
    abort() called
    Thread 0 Crashed:: Dispatch queue: com.apple.main-thread
    0   libsystem_kernel.dylib   
    0x00007fff86d78ce2 __pthread_kill + 10
    1   libsystem_c.dylib        
    0x00007fff90a0c7d2 pthread_kill + 95
    2   libsystem_c.dylib        
    0x00007fff909fda7a abort + 143
    3   com.adobe.Photoshop      
    0x00000001002369eb 0x100000000 + 2320875
    4   libc++abi.dylib          
    0x00007fff897d8001 safe_handler_caller(void (*)()) + 11
    5   libc++abi.dylib          
    0x00007fff897d7ff6 __cxxabiv1::__terminate(void (*)()) + 9
    6   libc++abi.dylib          
    0x00007fff897d8346 __cxa_call_terminate + 59
    7   libc++abi.dylib          
    0x00007fff897d87c3 __gxx_personality_v0 + 207
    8   libunwind.dylib          
    0x00007fff8a21f4c6 unwind_phase2 + 160
    9   libunwind.dylib          
    0x00007fff8a21e96e _Unwind_RaiseException + 218
    10  com.apple.FinderKit      
    0x00007fff8b3a2b64 -[FI_TColumnViewController closeTarget] + 243
    11  com.apple.FinderKit      
    0x00007fff8b3de1d0 -[FIFinderViewGutsController destroyBrowserView] + 238
    12  com.apple.FinderKit      
    0x00007fff8b3dbdcc -[FIFinderViewGutsController prepareToHide] + 369
    13  com.apple.FinderKit      
    0x00007fff8b3dbee4 -[FIFinderViewGutsController setExpanded:] + 44
    14  com.apple.FinderKit      
    0x00007fff8b3e40ab -[FIFinderView viewWillMoveToWindow:] + 265
    15  com.apple.AppKit         
    0x00007fff8c5b9e31 -[NSView _setWindow:] + 238
    16  com.apple.AppKit         
    0x00007fff8c4e6c08 __NSViewRecursionHelper + 25
    17  com.apple.CoreFoundation 
    0x00007fff8fbecea4 CFArrayApplyFunction + 68
    18  com.apple.AppKit         
    0x00007fff8c5ba766 -[NSView _setWindow:] + 2595
    19  com.apple.AppKit         
    0x00007fff8c4e6c08 __NSViewRecursionHelper + 25
    20  com.apple.CoreFoundation 
    0x00007fff8fbecea4 CFArrayApplyFunction + 68
    21  com.apple.AppKit         
    0x00007fff8c5ba766 -[NSView _setWindow:] + 2595
    22  com.apple.AppKit         
    0x00007fff8c4e6c08 __NSViewRecursionHelper + 25
    23  com.apple.CoreFoundation 
    0x00007fff8fbecea4 CFArrayApplyFunction + 68
    24  com.apple.AppKit         
    0x00007fff8c5ba766 -[NSView _setWindow:] + 2595
    25  com.apple.AppKit         
    0x00007fff8c4e6c08 __NSViewRecursionHelper + 25
    26  com.apple.CoreFoundation 
    0x00007fff8fbecea4 CFArrayApplyFunction + 68
    27  com.apple.AppKit         
    0x00007fff8c5ba766 -[NSView _setWindow:] + 2595
    28  com.apple.AppKit         
    0x00007fff8c6dfb57 -[NSWindow dealloc] + 1262
    29  com.apple.AppKit         
    0x00007fff8c9e34f4 -[NSSavePanel dealloc] + 612
    30  com.apple.AppKit         
    0x00007fff8c4e0145 -[NSWindow release] + 535
    31  libobjc.A.dylib          
    0x00007fff897ed03c (anonymous namespace)::AutoreleasePoolPage::pop(void*) + 434
    32  com.apple.CoreFoundation 
    0x00007fff8fbecb05 _CFAutoreleasePoolPop + 37
    33  com.apple.Foundation     
    0x00007fff8423a51d -[NSAutoreleasePool release] + 154
    34  com.adobe.Photoshop      
    0x00000001012f2d2e AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16869522
    35  com.adobe.Photoshop      
    0x00000001000824f8 0x100000000 + 533752
    36  com.adobe.Photoshop      
    0x0000000100c3243c AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 9789344
    37  com.adobe.Photoshop      
    0x0000000100080e25 0x100000000 + 527909
    38  com.adobe.Photoshop      
    0x0000000100c327e2 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 9790278
    39  com.adobe.Photoshop      
    0x00000001004ca733 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 2024087
    40  com.adobe.Photoshop      
    0x0000000100074b6f 0x100000000 + 478063
    41  com.adobe.Photoshop      
    0x00000001000711ba 0x100000000 + 463290
    42  com.adobe.Photoshop      
    0x00000001000665d3 0x100000000 + 419283
    43  com.adobe.Photoshop      
    0x0000000100066696 0x100000000 + 419478
    44  com.adobe.Photoshop      
    0x00000001012e1ef4 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16800344
    45  com.apple.AppKit         
    0x00007fff8c4a31f2 -[NSApplication run] + 555
    46  com.adobe.Photoshop      
    0x00000001012e04a4 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16793608
    47  com.adobe.Photoshop      
    0x00000001012e0f01 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 16796261
    48  com.adobe.Photoshop      
    0x00000001000682e6 0x100000000 + 426726
    49  com.adobe.Photoshop      
    0x00000001002371f1 0x100000000 + 2322929
    50  com.adobe.Photoshop      
    0x0000000100237281 0x100000000 + 2323073
    51  com.adobe.Photoshop      
    0x00000001000022f4 0x100000000 + 8948
    Thread 1:: Dispatch queue: com.apple.libdispatch-manager
    0   libsystem_kernel.dylib   
    0x00007fff86d797e6 kevent + 10
    1   libdispatch.dylib        
    0x00007fff84b045be _dispatch_mgr_invoke + 923
    2   libdispatch.dylib        
    0x00007fff84b0314e _dispatch_mgr_thread + 54
    Thread 2:
    0   libsystem_kernel.dylib   
    0x00007fff86d79192 __workq_kernreturn + 10
    1   libsystem_c.dylib        
    0x00007fff90a0c594 _pthread_wqthread + 758
    2   libsystem_c.dylib        
    0x00007fff90a0db85 start_wqthread + 13
    Thread 3:
    0   libsystem_kernel.dylib   
    0x00007fff86d79192 __workq_kernreturn + 10
    1   libsystem_c.dylib        
    0x00007fff90a0c594 _pthread_wqthread + 758
    2   libsystem_c.dylib        
    0x00007fff90a0db85 start_wqthread + 13
    Thread 4:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.amt.services   
    0x0000000108723c53 AMTConditionLock::LockWhenCondition(int) + 37
    3   com.adobe.amt.services   
    0x000000010871ccce _AMTThreadedPCDService::PCDThreadWorker(_AMTThreadedPCDService*) + 92
    4   com.adobe.amt.services   
    0x0000000108723cbe AMTThread::Worker(void*) + 28
    5   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    6   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 5:
    0   libsystem_kernel.dylib   
    0x00007fff86d79192 __workq_kernreturn + 10
    1   libsystem_c.dylib        
    0x00007fff90a0c594 _pthread_wqthread + 758
    2   libsystem_c.dylib        
    0x00007fff90a0db85 start_wqthread + 13
    Thread 6:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 7:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 8:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 9:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 10:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 11:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 12:
    0   libsystem_kernel.dylib   
    0x00007fff86d776ce semaphore_timedwait_trap + 10
    1   com.apple.CoreServices.CarbonCore
    0x00007fff8761e3be MPWaitOnSemaphore + 77
    2   MultiProcessor Support   
    0x0000000110a00b93 ThreadFunction(void*) + 69
    3   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    4   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    5   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 13:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 14:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 15:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 16:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 17:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 18:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 19:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   AdobeACE                 
    0x000000010598b18d 0x105951000 + 237965
    6   AdobeACE                 
    0x000000010598ab3a 0x105951000 + 236346
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 20:
    0   libsystem_kernel.dylib   
    0x00007fff86d78e42 __semwait_signal + 10
    1   libsystem_c.dylib        
    0x00007fff909c0dea nanosleep + 164
    2   com.adobe.PSAutomate     
    0x00000001166dbe4b ScObjects::Thread::sleep(unsigned int) + 59
    3   com.adobe.PSAutomate     
    0x00000001166bdd83 ScObjects::BridgeTalkThread::run() + 163
    4   com.adobe.PSAutomate     
    0x00000001166dbf46 ScObjects::Thread::go(void*) + 166
    5   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    6   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 21:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 22:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 23:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 24:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 25:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 26:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 27:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 28:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.adobe.adobeswfl      
    0x000000012dbb289d APXGetHostAPI + 2465805
    3   com.adobe.adobeswfl      
    0x000000012d96b5e9 APXGetHostAPI + 77145
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 29:
    0   libsystem_kernel.dylib   
    0x00007fff86d7767a mach_msg_trap + 10
    1   libsystem_kernel.dylib   
    0x00007fff86d76d71 mach_msg + 73
    2   com.apple.CoreFoundation 
    0x00007fff8fbeb6fc __CFRunLoopServiceMachPort + 188
    3   com.apple.CoreFoundation 
    0x00007fff8fbf3e64 __CFRunLoopRun + 1204
    4   com.apple.CoreFoundation 
    0x00007fff8fbf3676 CFRunLoopRunSpecific + 230
    5   com.apple.CoreMediaIO    
    0x00007fff90148541 CMIO::DAL::RunLoop::OwnThread(void*) + 159
    6   com.apple.CoreMediaIO    
    0x00007fff9013e6b2 CAPThread::Entry(CAPThread*) + 98
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 30:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e2a6 _pthread_cond_wait + 890
    2   com.adobe.adobeswfl      
    0x000000012dbb2869 APXGetHostAPI + 2465753
    3   com.adobe.adobeswfl      
    0x000000012dbcf0ec APXGetHostAPI + 2582620
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 31:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e2a6 _pthread_cond_wait + 890
    2   com.adobe.adobeswfl      
    0x000000012dbb2869 APXGetHostAPI + 2465753
    3   com.adobe.adobeswfl      
    0x000000012dd4ce6f APXGetHostAPI + 4146655
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 32:
    0   libsystem_kernel.dylib   
    0x00007fff86d78d7a __recvfrom + 10
    1   ServiceManager-Launcher.dylib
    0x0000000119885982 Invoke + 54020
    2   ServiceManager-Launcher.dylib
    0x0000000119884adf Invoke + 50273
    3   ServiceManager-Launcher.dylib
    0x0000000119883b26 Invoke + 46248
    4   ServiceManager-Launcher.dylib
    0x0000000119883b81 Invoke + 46339
    5   ServiceManager-Launcher.dylib
    0x0000000119883c02 Invoke + 46468
    6   ServiceManager-Launcher.dylib
    0x000000011987e30d Invoke + 23695
    7   ServiceManager-Launcher.dylib
    0x000000011987e4a6 Invoke + 24104
    8   ServiceManager-Launcher.dylib
    0x000000011987ef2f Invoke + 26801
    9   ServiceManager-Launcher.dylib
    0x000000011987f01d Invoke + 27039
    10  ServiceManager-Launcher.dylib
    0x000000011988231f Invoke + 40097
    11  ServiceManager-Launcher.dylib
    0x00000001198825c5 Invoke + 40775
    12  ServiceManager-Launcher.dylib
    0x0000000119882b84 Invoke + 42246
    13  ServiceManager-Launcher.dylib
    0x0000000119882d71 Invoke + 42739
    14  ServiceManager-Launcher.dylib
    0x0000000119874daf Login + 1773
    15  ServiceManager-Launcher.dylib
    0x0000000119876295 Login + 7123
    16  ServiceManager-Launcher.dylib
    0x00000001198832a8 Invoke + 44074
    17  ServiceManager-Launcher.dylib
    0x00000001198856c1 Invoke + 53315
    18  libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    19  libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 33:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e2a6 _pthread_cond_wait + 890
    2   com.adobe.adobeswfl      
    0x000000012dbb2869 APXGetHostAPI + 2465753
    3   com.adobe.adobeswfl      
    0x000000012dbcf0ec APXGetHostAPI + 2582620
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 34:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e2a6 _pthread_cond_wait + 890
    2   com.adobe.adobeswfl      
    0x000000012dbb2869 APXGetHostAPI + 2465753
    3   com.adobe.adobeswfl      
    0x000000012dd4ce6f APXGetHostAPI + 4146655
    4   com.adobe.adobeswfl      
    0x000000012dbb29b1 APXGetHostAPI + 2466081
    5   com.adobe.adobeswfl      
    0x000000012dbb2d1a APXGetHostAPI + 2466954
    6   com.adobe.adobeswfl      
    0x000000012dbb2e49 APXGetHostAPI + 2467257
    7   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    8   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 35:
    0   libsystem_kernel.dylib   
    0x00007fff86d776b6 semaphore_wait_trap + 10
    1   com.adobe.CameraRaw      
    0x00000001279ec791 EntryFM + 2523937
    2   com.adobe.CameraRaw      
    0x0000000127a1eaa3 EntryFM + 2729523
    3   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    4   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 36:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   com.adobe.CameraRaw      
    0x00000001276e86c9 0x12749b000 + 2414281
    6   com.adobe.CameraRaw      
    0x00000001276e7920 0x12749b000 + 2410784
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 37:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   com.adobe.CameraRaw      
    0x00000001276e86c9 0x12749b000 + 2414281
    6   com.adobe.CameraRaw      
    0x00000001276e7920 0x12749b000 + 2410784
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 38:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   com.adobe.CameraRaw      
    0x00000001276e86c9 0x12749b000 + 2414281
    6   com.adobe.CameraRaw      
    0x00000001276e7920 0x12749b000 + 2410784
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13
    Thread 39:
    0   libsystem_kernel.dylib   
    0x00007fff86d78bca __psynch_cvwait + 10
    1   libsystem_c.dylib        
    0x00007fff90a0e274 _pthread_cond_wait + 840
    2   com.apple.CoreServices.CarbonCore
    0x00007fff87646bae TSWaitOnCondition + 106
    3   com.apple.CoreServices.CarbonCore
    0x00007fff875d928a TSWaitOnConditionTimedRelative + 127
    4   com.apple.CoreServices.CarbonCore
    0x00007fff8761dfd1 MPWaitOnQueue + 181
    5   com.adobe.CameraRaw      
    0x00000001276e86c9 0x12749b000 + 2414281
    6   com.adobe.CameraRaw      
    0x00000001276e7920 0x12749b000 + 2410784
    7   com.apple.CoreServices.CarbonCore
    0x00007fff8761ee36 PrivateMPEntryPoint + 58
    8   libsystem_c.dylib        
    0x00007fff90a0a8bf _pthread_start + 335
    9   libsystem_c.dylib        
    0x00007fff90a0db75 thread_start + 13

    Hi again,
    We found the solution. I trie to give some details, if some other folks have a similar problem, perhaps they can find their solution with everything discussed in this topic.
    All this was not working, after trying it several times:
         Disk Utility> Repair Disk & Repair Permissions
         Cocktail OSX (clear all caches)
         Reboot and test
         delete all printers
         then look for a CS6 cleaner like http://www.adobe.com/support/contact/cscleanertool.html
         rebuild diskstructure and filestructure with several utilities like Techtool, Onyx.
    We could not uninstall the complete Photoshop cs5 only, because in case of uninstalling the whole Mastercollection, this is much to much work to reinstall all of the extension from Dreamweaver which have to be activated and installed one by one.
    What has been working is:
          TRY a New User Account (to rule out User preference/settings) !!!
    So this gave us un idea:
    Compare the library of both USER-ACCOUNTS : "ALICE" and the new one we called "TEST".
    Then we RENAMED the following folders in the /USER/LIBRARY: "Caches", "Recent Servers", "Saved Application State" and crated a new folder with the same name (we deleted it after, in case there will be some problems to restore the old ones)
    We put all the INVISIBLE FILES and FOLDERS present in the USER folder which names are beginning with a .dot, like .filename (e.g.: ".adobe", ".bash_history", ".BridgeCache", etc.) into another folder which we are going to delete later on.
    Finally we deleted all files "suspected" not to be there in the ALICE user account, in comparision to the TEST USER ACCOUNT.
    And "miracle": Everything is working again, after 2 days of searching…
    Thanks to everyone of you.
    Best regards,
    Alice

  • Photoshop CS6 won't launch. Unexpected and unrecoverable problem.

    I am unable to launch Photoshop CS6 on my 2012 Macbook Pro running OSX Mavericks.
    Everytime I attempt to launch it I get a message saying "An unexpected and unrecoverable problem has occurred. Photoshop will now exit."
    I have already reset the application preferences using the keyboard shortcut on launch and manually by deleting it in my Library folder which has made no difference.
    I am able to launch it under a different user which suggests that it is something to do with some other software installed perhaps?
    Below is my crash report. Any ideas? Thanks in advance.
    Process:    
    Adobe Photoshop CS6 [15226]
    Path:       
    /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/MacOS/Adobe Photoshop CS6
    Identifier: 
    com.adobe.Photoshop
    Version:    
    13.0.0 (20120315.r.428)
    Code Type:  
    X86-64 (Native)
    Parent Process:  launchd [170]
    Responsible:
    Adobe Photoshop CS6 [15226]
    User ID:    
    501
    Date/Time:  
    2014-03-18 10:17:49.496 +0000
    OS Version: 
    Mac OS X 10.9.2 (13C64)
    Report Version:  11
    Anonymous UUID:  D907E7DA-D1A4-E8AD-1082-F253AC25CFE1
    Sleep/Wake UUID: D31012F7-3820-4486-8A63-00A5637FECC0
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_BAD_ACCESS (SIGSEGV)
    Exception Codes: KERN_INVALID_ADDRESS at 0x000000000000000c
    VM Regions Near 0xc:
    -->
    __TEXT            
    0000000100000000-000000010333d000 [ 51.2M] r-x/rwx SM=COW  /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/MacOS/Adobe Photoshop CS6
    Thread 0 Crashed:: Dispatch queue: com.apple.main-thread
    0   libdyld.dylib            
    0x00007fff84aaaaff NSVersionOfRunTimeLibrary + 127
    1   com.apple.AppKit         
    0x00007fff8135aeac NSUseActiveDisplayForMainScreenDefaultValueFunction + 78
    2   com.apple.AppKit         
    0x00007fff81320a88 _NSGetBoolAppConfig + 202
    3   com.apple.AppKit         
    0x00007fff8135abc8 +[NSScreen mainScreen] + 93
    4   com.apple.AppKit         
    0x00007fff8135d752 -[NSWindow _initContent:styleMask:backing:defer:contentView:] + 350
    5   com.apple.AppKit         
    0x00007fff815e65d0 -[NSPanel _initContent:styleMask:backing:defer:contentView:] + 51
    6   com.apple.AppKit         
    0x00007fff8135d5e8 -[NSWindow initWithContentRect:styleMask:backing:defer:] + 45
    7   com.apple.AppKit         
    0x00007fff815e6583 -[NSPanel initWithContentRect:styleMask:backing:defer:] + 78
    8   com.adobe.Photoshop      
    0x00000001003b811a 0x100000000 + 3899674
    9   com.adobe.Photoshop      
    0x00000001003b8677 0x100000000 + 3901047
    10  com.adobe.Photoshop      
    0x00000001005d6f62 boost::system::system_error::what() const + 59746
    11  com.adobe.Photoshop      
    0x000000010040bad0 0x100000000 + 4242128
    12  com.adobe.Photoshop      
    0x000000010040cab0 0x100000000 + 4246192
    13  com.adobe.Photoshop      
    0x0000000100035262 0x100000000 + 217698
    14  com.adobe.Photoshop      
    0x0000000100035582 0x100000000 + 218498
    15  com.adobe.Photoshop      
    0x0000000100035d44 0x100000000 + 220484
    16  com.adobe.Photoshop      
    0x0000000100d2061b AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 5022907
    17  com.adobe.Photoshop      
    0x0000000101948c4e AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 17771246
    18  com.adobe.Photoshop      
    0x0000000100bba808 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 3557032
    19  com.adobe.Photoshop      
    0x0000000100c51f73 AWS_CUI_GetVersionComments(OpaqueWindowPtr*, adobe::q::QDocument&, adobe::q::QString&, adobe::q::QAttributeList&, adobe::q::QDocument*, adobe::q::QProject*, long) + 4177427
    20  com.adobe.Photoshop      
    0x00000001007b045b boost::system::system_error::what() const + 1998427
    21  com.adobe.Photoshop      
    0x00000001007b0999 boost::system::system_error::what() const + 1999769
    22  com.adobe.Photoshop      
    0x000000010054b24c 0x100000000 + 5550668
    Thread 1:
    0   libsystem_kernel.dylib   
    0x00007fff8e013e6a __workq_kernreturn + 10
    1   libsystem_pthread.dylib  
    0x00007fff84887f08 _pthread_wqthread + 330
    2   libsystem_pthread.dylib  
    0x00007fff8488afb9 start_wqthread + 13
    Thread 2:: Dispatch queue: com.apple.libdispatch-manager
    0   libsystem_kernel.dylib   
    0x00007fff8e014662 kevent64 + 10
    1   libdispatch.dylib        
    0x00007fff8d98143d _dispatch_mgr_invoke + 239
    2   libdispatch.dylib        
    0x00007fff8d981152 _dispatch_mgr_thread + 52
    Thread 3:
    0   libsystem_kernel.dylib   
    0x00007fff8e013e6a __workq_kernreturn + 10
    1   libsystem_pthread.dylib  
    0x00007fff84887f08 _pthread_wqthread + 330
    2   libsystem_pthread.dylib  
    0x00007fff8488afb9 start_wqthread + 13
    Thread 4:
    0   libsystem_kernel.dylib   
    0x00007fff8e013e6a __workq_kernreturn + 10
    1   libsystem_pthread.dylib  
    0x00007fff84887f08 _pthread_wqthread + 330
    2   libsystem_pthread.dylib  
    0x00007fff8488afb9 start_wqthread + 13
    Thread 5:
    0   libsystem_kernel.dylib   
    0x00007fff8e00fa1a mach_msg_trap + 10
    1   libsystem_kernel.dylib   
    0x00007fff8e00ed18 mach_msg + 64
    2   libsystem_kernel.dylib   
    0x00007fff8e004a8c _kernelrpc_mach_port_get_set_status + 101
    3   com.apple.CoreFoundation 
    0x00007fff80b2ccf5 __CFRunLoopModeDeallocate + 133
    4   com.apple.CoreFoundation 
    0x00007fff80a735d8 CFRelease + 424
    5   com.apple.CoreFoundation 
    0x00007fff80a826c8 __CFBasicHashDrain + 408
    6   com.apple.CoreFoundation 
    0x00007fff80a735d8 CFRelease + 424
    7   com.apple.CoreFoundation 
    0x00007fff80b2c6b2 __CFRunLoopDeallocate + 242
    8   com.apple.CoreFoundation 
    0x00007fff80a735d8 CFRelease + 424
    9   com.apple.CoreFoundation 
    0x00007fff80b2c104 __CFTSDFinalize + 100
    10  libsystem_pthread.dylib  
    0x00007fff8488a5af _pthread_tsd_cleanup + 182
    11  libsystem_pthread.dylib  
    0x00007fff84887479 _pthread_exit + 111
    12  libsystem_pthread.dylib  
    0x00007fff848868a4 _pthread_body + 149
    13  libsystem_pthread.dylib  
    0x00007fff8488672a _pthread_start + 137
    14  libsystem_pthread.dylib  
    0x00007fff8488afc9 thread_start + 13
    Thread 6:
    0   libsystem_kernel.dylib   
    0x00007fff8e013716 __psynch_cvwait + 10
    1   libsystem_pthread.dylib  
    0x00007fff84888c3b _pthread_cond_wait + 727
    2   MultiProcessor Support   
    0x000000010d0d70f3 main + 8403
    3   MultiProcessor Support   
    0x000000010d0d71b0 main + 8592
    4   MultiProcessor Support   
    0x000000010d0f3f50 main + 126768
    5   libsystem_pthread.dylib  
    0x00007fff84886899 _pthread_body + 138
    6   libsystem_pthread.dylib  
    0x00007fff8488672a _pthread_start + 137
    7   libsystem_pthread.dylib  
    0x00007fff8488afc9 thread_start + 13
    Thread 7:
    0   libsystem_kernel.dylib   
    0x00007fff8e013716 __psynch_cvwait + 10
    1   libsystem_pthread.dylib  
    0x00007fff84888c3b _pthread_cond_wait + 727
    2   MultiProcessor Support   
    0x000000010d0d70f3 main + 8403
    3   MultiProcessor Support   
    0x000000010d0d71b0 main + 8592
    4   MultiProcessor Support   
    0x000000010d0f3f50 main + 126768
    5   libsystem_pthread.dylib  
    0x00007fff84886899 _pthread_body + 138
    6   libsystem_pthread.dylib  
    0x00007fff8488672a _pthread_start + 137
    7   libsystem_pthread.dylib  
    0x00007fff8488afc9 thread_start + 13
    Thread 8:
    0   libsystem_kernel.dylib   
    0x00007fff8e013716 __psynch_cvwait + 10
    1   libsystem_pthread.dylib  
    0x00007fff84888c3b _pthread_cond_wait + 727
    2   MultiProcessor Support   
    0x000000010d0d70f3 main + 8403
    3   MultiProcessor Support   
    0x000000010d0d71b0 main + 8592
    4   MultiProcessor Support   
    0x000000010d0f3f50 main + 126768
    5   libsystem_pthread.dylib  
    0x00007fff84886899 _pthread_body + 138
    6   libsystem_pthread.dylib  
    0x00007fff8488672a _pthread_start + 137
    7   libsystem_pthread.dylib  
    0x00007fff8488afc9 thread_start + 13
    Thread 0 crashed with X86 Thread State (64-bit):
      rax: 0x0000000000000000  rbx: 0x0000000000000107  rcx: 0x0000000000000107  rdx: 0x0000000000000107
      rdi: 0x0000000000000107  rsi: 0x00007fff84aace33  rbp: 0x00007fff5fbfd990  rsp: 0x00007fff5fbfd960
       r8: 0x000000000000006c   r9: 0x00000000000008e0  r10: 0x0000600000059ae0  r11: 0x00007fff704a0001
      r12: 0x0000000000000012  r13: 0x0000000000000012  r14: 0x0000000000000000  r15: 0x00007fff81d15715
      rip: 0x00007fff84aaaaff  rfl: 0x0000000000010206  cr2: 0x000000000000000c
    Logical CPU:
    3
    Error Code: 
    0x00000004
    Trap Number:
    14
    Binary Images:
    0x100000000 -   
    0x10333cfff +com.adobe.Photoshop (13.0.0 - 20120315.r.428) <6A87A703-3170-CA73-8C77-35C282C4E264> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/MacOS/Adobe Photoshop CS6
    0x1039bf000 -   
    0x1039ebff7 +libtbb.dylib (0) <57655978-A378-BE1E-7905-7D7F951AD6F7> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/libtbb.dylib
    0x103a02000 -   
    0x103a10ff3 +libtbbmalloc.dylib (0) <CB038B96-2999-5EB1-E26A-7720A7A8F8CD> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/libtbbmalloc.dylib
    0x103a24000 -   
    0x103a2afff  org.twain.dsm (1.9.5 - 1.9.5) <E614CAAE-7B01-348B-90E4-DB3FD3D066A6> /System/Library/Frameworks/TWAIN.framework/Versions/A/TWAIN
    0x103a32000 -   
    0x103a4cff7 +com.adobe.ahclientframework (1.7.0.56 - 1.7.0.56) <C1C5DE5C-39AB-0871-49A6-FA3449D39B8A> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/ahclient.framework/Versions/A/ahclient
    0x103a55000 -   
    0x103a59fff  com.apple.agl (3.2.3 - AGL-3.2.3) <1B85306F-D2BF-3FE3-9915-165237B491EB> /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x103a60000 -   
    0x103c6efff +com.adobe.owl (AdobeOwl version 4.0.93 - 4.0.93) <CB035C4D-044D-4004-C887-814F944E62ED> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeOwl.framework/Versions/A/AdobeOwl
    0x103caf000 -   
    0x1040f5ff7 +com.adobe.MPS (AdobeMPS 5.8.0.19463 - 5.8.0.19463) <8A4BA3B2-6F6A-3958-ABDE-C3E8F21373B0> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeMPS.framework/Versions/A/AdobeMPS
    0x104171000 -   
    0x1044caff7 +com.adobe.AGM (AdobeAGM 4.26.17.19243 - 4.26.17.19243) <E96C804B-158B-D4A2-9A64-482F9ADC29D0> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeAGM.framework/Versions/A/AdobeAGM
    0x104533000 -   
    0x104894fef +com.adobe.CoolType (AdobeCoolType 5.10.31.19243 - 5.10.31.19243) <8BFF14FB-AA14-1CBF-C2A3-715363B5A841> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeCoolType.framework/Versions/A/AdobeCoolType
    0x1048e1000 -   
    0x104909ff7 +com.adobe.BIBUtils (AdobeBIBUtils 1.1.01 - 1.1.01) <9BDD08A8-2DD8-A570-7A7B-EDAA7097D61B> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeBIBUtils.framework/Versions/A/AdobeBIBUtils
    0x104910000 -   
    0x10493cfff +com.adobe.AXE8SharedExpat (AdobeAXE8SharedExpat 3.7.101.18636 - 3.7.101.18636) <488DF1F7-A643-5168-706A-498A0322A87E> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeAXE8SharedExpat.framework/Versions/A/AdobeAXE8SharedExpa t
    0x10495f000 -   
    0x104aacff7 +com.winsoft.wrservices (WRServices 5.0.0 - 5.0.0) <FFA48E0A-A17C-A04F-AE20-6815EB944DEA> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/wrservices.framework/Versions/A/WRServices
    0x104b20000 -   
    0x104b8ffef +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <924155A9-D00E-B862-C490-5099BA70B978> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/aif_core.framework/Versions/A/aif_core
    0x104bb6000 -   
    0x104c0ffff +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <BC353D4E-1AE2-3FB5-D3EE-81A09C0C4328> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/data_flow.framework/Versions/A/data_flow
    0x104caf000 -   
    0x104d36ff7 +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <5FCA15B4-F721-09C3-B412-1F86D9D7DE9E> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/image_flow.framework/Versions/A/image_flow
    0x104d9b000 -   
    0x104db6ff7 +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <BB7B342A-8CBC-4B73-58A2-9B062F590EBC> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/image_runtime.framework/Versions/A/image_runtime
    0x104dd0000 -   
    0x10500dfff +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <6839CFB1-74EE-B205-7D82-ABC5428E0810> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/aif_ogl.framework/Versions/A/aif_ogl
    0x10510c000 -   
    0x105285fff +com.adobe.ACE (AdobeACE 2.19.18.19243 - 2.19.18.19243) <7F28B188-1D1B-20C9-BBB9-B74FCC12ECAD> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeACE.framework/Versions/A/AdobeACE
    0x105298000 -   
    0x1052b7fff +com.adobe.BIB (AdobeBIB 1.2.02.19243 - 1.2.02.19243) <B7D7EE28-D604-2989-B099-62AEF4885C21> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeBIB.framework/Versions/A/AdobeBIB
    0x1052be000 -   
    0x1053a2fe7 +com.adobe.amtlib (amtlib 6.0.0.75 - 6.0.0.75) <07A3E1E1-55C3-BA5B-A0B0-60250809ED61> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/amtlib.framework/Versions/A/amtlib
    0x1053b3000 -   
    0x105478fff +com.adobe.JP2K (2.0.0 - 2.0.0.18562) <B14B096C-AA23-BA8F-E3AE-8DB102F9D161> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/adobejp2k.framework/Versions/A/AdobeJP2K
    0x1054c5000 -   
    0x1054c9ff7 +com.adobe.ape.shim (3.3.8.19346 - 3.3.8.19346) <13D5CEF7-6090-CD66-8DA0-190771950F76> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/adbeape.framework/Versions/A/adbeape
    0x1054cf000 -   
    0x10554dfff +com.adobe.FileInfo.framework (Adobe XMP FileInfo 5 . 3 . 0 . 0 -i 3 - 66.145433) <5C63613F-6BDE-1C29-D3FD-9D292F9ADB12> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/FileInfo.framework/Versions/A/FileInfo
    0x10555e000 -   
    0x1055beff7 +com.adobe.AdobeXMPCore (Adobe XMP Core 5.3 -c 11 - 66.145661) <B475CD07-1024-560D-5BFE-2A6FCE63925C> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeXMP.framework/Versions/A/AdobeXMP
    0x1055c8000 -   
    0x105b20fef +com.nvidia.cg (2.2.0006 - 0) /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/Cg.framework/Cg
    0x10617d000 -   
    0x1061ebfef +com.adobe.headlights.LogSessionFramework (2.1.2.1652) <25E6F475-1522-419C-2169-547FCF2FD97F> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/LogSession.framework/Versions/A/LogSession
    0x10623f000 -   
    0x106264ffe +com.adobe.PDFSettings (AdobePDFSettings 1.04.0 - 1.4) <56E7F033-6032-2EC2-250E-43F1EBD123B1> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobePDFSettings.framework/Versions/A/AdobePDFSettings
    0x10629f000 -   
    0x1062a3ff7 +com.adobe.AdobeCrashReporter (6.0 - 6.0.20120201) <A6B1F3BD-5DB0-FEE5-708A-B54E5CA80481> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeCrashReporter.framework/Versions/A/AdobeCrashReporter
    0x1062a9000 -   
    0x106459fef +com.adobe.PlugPlug (3.0.0.383 - 3.0.0.383) <908DBB12-D2AC-1844-BD2A-F1C483424917> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/PlugPlug.framework/Versions/A/PlugPlug
    0x106510000 -   
    0x106530fff +com.adobe.AIF (AdobeAIF 3.0.00 - 3.0.00) <DC3301F2-FC6E-70C7-3927-B0DD024210D6> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/aif_ocl.framework/Versions/A/aif_ocl
    0x10654a000 -   
    0x106607fff +com.adobe.AdobeExtendScript (ExtendScript 4.2.12 - 4.2.12.18602) <0957DFA6-0593-CE4B-8638-00F32113B07B> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeExtendScript.framework/Versions/A/AdobeExtendScript
    0x106651000 -   
    0x1066fffef +com.adobe.AdobeScCore (ScCore 4.2.12 - 4.2.12.18602) <9CEE95E5-2FC6-5E58-02A4-138EA6F8D894> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeScCore.framework/Versions/A/AdobeScCore
    0x10673c000 -   
    0x106836fe7 +com.adobe.AXEDOMCore (AdobeAXEDOMCore 3.7.101.18636 - 3.7.101.18636) <C7652AF2-56D7-8AF8-A207-0BDEDDFF0BEC> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeAXEDOMCore.framework/Versions/A/AdobeAXEDOMCore
    0x1068da000 -   
    0x106b23fe7 +com.adobe.linguistic.LinguisticManager (6.0.0 - 17206) <301AAE8E-BA78-230E-9500-FCCA204B49CB> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobeLinguistic.framework/Versions/3/AdobeLinguistic
    0x106f39000 -   
    0x106f3bff7  com.apple.textencoding.unicode (2.6 - 2.6) <0EEF0283-1ACA-3147-89B4-B4E014BFEC52> /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
    0x106ff7000 -   
    0x106ff8fff  libCyrillicConverter.dylib (61) <AA2B224F-1A9F-30B9-BE11-633176790A94> /System/Library/CoreServices/Encodings/libCyrillicConverter.dylib
    0x108607000 -   
    0x108623fff  libJapaneseConverter.dylib (61) <94EF6A2F-F596-3638-A3DC-CF03567D9427> /System/Library/CoreServices/Encodings/libJapaneseConverter.dylib
    0x108628000 -   
    0x108649ff7  libKoreanConverter.dylib (61) <22EEBBDB-A2F2-3985-B9C7-53BFE2B02D08> /System/Library/CoreServices/Encodings/libKoreanConverter.dylib
    0x10864e000 -   
    0x10865dfff  libSimplifiedChineseConverter.dylib (61) <F5827491-A4E3-3471-A540-8D1FE241FD99> /System/Library/CoreServices/Encodings/libSimplifiedChineseConverter.dylib
    0x108661000 -   
    0x108673fff  libTraditionalChineseConverter.dylib (61) <A182514D-426F-3D5F-BA69-4C4A4680ECB8> /System/Library/CoreServices/Encodings/libTraditionalChineseConverter.dylib
    0x1087a7000 -   
    0x1087a7fff +Enable Async IO (???) <F56F1FB2-9CF1-19A8-0D14-885A652B19B7> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Required/Plug-Ins/Extensions/Enable Async IO.plugin/Contents/MacOS/Enable Async IO
    0x1087ab000 -   
    0x1087f1fe7 +com.adobe.pip (6.0.0.1654) <3576D8F9-E2F9-6EB8-6684-C2FE6B0A3731> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Frameworks/AdobePIP.framework/AdobePIP
    0x10ce10000 -   
    0x10ce13fff +FastCore (???) <29AAF151-6CC4-28C5-68B8-0F6600A20435> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Required/Plug-Ins/Extensions/FastCore.plugin/Contents/MacOS/FastCore
    0x10cf9f000 -   
    0x10d00bfff +MMXCore (???) <B9B6C7FB-CE56-8F6F-664E-DFCBBC5E3ADE> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Required/Plug-Ins/Extensions/MMXCore.plugin/Contents/MacOS/MMXCore
    0x10d092000 -   
    0x10d117fff +MultiProcessor Support (???) <467BB668-E9DD-60F4-CAAD-768A98174734> /Applications/Adobe Photoshop CS6/Adobe Photoshop CS6.app/Contents/Required/Plug-Ins/Extensions/MultiProcessor Support.plugin/Contents/MacOS/MultiProcessor Support
    0x7fff6bfa2000 -
    0x7fff6bfd5817  dyld (239.4) <2B17750C-ED1B-3060-B64E-21897D08B28B> /usr/lib/dyld
    0x7fff8033e000 -
    0x7fff80350ff7  com.apple.MultitouchSupport.framework (245.13 - 245.13) <D5E7416D-45AB-3690-86C6-CC4B5FCEA2D2> /System/Library/PrivateFrameworks/MultitouchSupport.framework/Versions/A/MultitouchSuppor t
    0x7fff805f3000 -
    0x7fff806b7ff7  com.apple.backup.framework (1.5.2 - 1.5.2) <A3C552F0-670B-388F-93FA-D917F96ACE1B> /System/Library/PrivateFrameworks/Backup.framework/Versions/A/Backup
    0x7fff806b8000 -
    0x7fff806befff  com.apple.AOSNotification (1.7.0 - 760.3) <7901B867-60F7-3645-BB3E-18C51A6FBCC6> /System/Library/PrivateFrameworks/AOSNotification.framework/Versions/A/AOSNotification
    0x7fff806bf000 -
    0x7fff806e7ffb  libxslt.1.dylib (13) <C9794936-633C-3F0C-9E71-30190B9B41C1> /usr/lib/libxslt.1.dylib
    0x7fff806e8000 -
    0x7fff806f2ff7  com.apple.AppSandbox (3.0 - 1) <9F27DC25-C566-3AEF-92D3-DCFE7836916D> /System/Library/PrivateFrameworks/AppSandbox.framework/Versions/A/AppSandbox
    0x7fff806f3000 -
    0x7fff806f8fff  com.apple.DiskArbitration (2.6 - 2.6) <A4165553-770E-3D27-B217-01FC1F852B87> /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x7fff806f9000 -
    0x7fff80784fff  libCoreStorage.dylib (380) <AE14C2F3-0EF1-3DCD-BF2B-A24D97D3B372> /usr/lib/libCoreStorage.dylib
    0x7fff80785000 -
    0x7fff807b1fff  com.apple.CoreServicesInternal (184.9 - 184.9) <4DEA54F9-81D6-3EDB-AA3C-1F9C497B3379> /System/Library/PrivateFrameworks/CoreServicesInternal.framework/Versions/A/CoreServicesI nternal
    0x7fff80847000 -
    0x7fff80859fff  com.apple.ImageCapture (9.0 - 9.0) <BE0B65DA-3031-359B-8BBA-B9803D4ADBF4> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture.framework/ Versions/A/ImageCapture
    0x7fff8085a000 -
    0x7fff8097cff1  com.apple.avfoundation (2.0 - 651.12) <5261E6EA-7476-32B2-A12A-D42598A9B2EA> /System/Library/Frameworks/AVFoundation.framework/Versions/A/AVFoundation
    0x7fff8097d000 -
    0x7fff809e4ff7  com.apple.CoreUtils (2.0 - 200.34.4) <E53B97FE-E067-33F6-A9C1-D4EC2A20FB9F> /System/Library/PrivateFrameworks/CoreUtils.framework/Versions/A/CoreUtils
    0x7fff809e5000 -
    0x7fff809e8fff  com.apple.TCC (1.0 - 1) <32A075D9-47FD-3E71-95BC-BFB0D583F41C> /System/Library/PrivateFrameworks/TCC.framework/Versions/A/TCC
    0x7fff809e9000 -
    0x7fff80a18fd2  libsystem_m.dylib (3047.16) <B7F0E2E4-2777-33FC-A787-D6430B630D54> /usr/lib/system/libsystem_m.dylib
    0x7fff80a19000 -
    0x7fff80a1dfff  com.apple.CommonPanels (1.2.6 - 96) <6B434AFD-50F8-37C7-9A56-162C17E375B3> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels.framework/ Versions/A/CommonPanels
    0x7fff80a42000 -
    0x7fff80a59ffa  libAVFAudio.dylib (32.2) <52DA516B-DE79-322C-9E1B-2658019289D7> /System/Library/Frameworks/AVFoundation.framework/Versions/A/Resources/libAVFAudio.dylib
    0x7fff80a5a000 -
    0x7fff80c3ffff  com.apple.CoreFoundation (6.9 - 855.14) <617B8A7B-FAB2-3271-A09B-C542E351C532> /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x7fff80c90000 -
    0x7fff810defff  com.apple.VideoToolbox (1.0 - 1273.49) <27177077-9107-3E06-ADAD-92B80E80CDCD> /System/Library/Frameworks/VideoToolbox.framework/Versions/A/VideoToolbox
    0x7fff810df000 -
    0x7fff810e1fff  libRadiance.dylib (1042) <B91D4B97-7BF3-3285-BCB7-4948BAAC23EE> /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x7fff81138000 -
    0x7fff811a7ff1  com.apple.ApplicationServices.ATS (360 - 363.3) <546E89D9-2AE7-3111-B2B8-2366650D22F0> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framew ork/Versions/A/ATS
    0x7fff811a8000 -
    0x7fff81203ffb  com.apple.AE (665.5 - 665.5) <BBA230F9-144C-3CAB-A77A-0621719244CD> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.framework/Vers ions/A/AE
    0x7fff8120d000 -
    0x7fff81214ff8  liblaunch.dylib (842.90.1) <38D1AB2C-A476-385F-8EA8-7AB604CA1F89> /usr/lib/system/liblaunch.dylib
    0x7fff81215000 -
    0x7fff81220ff7  com.apple.DirectoryService.Framework (10.9 - 173.90.1) <A9866D67-C5A8-36D1-A1DB-E2FA60328698> /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryService
    0x7fff81221000 -
    0x7fff8123aff7  com.apple.Kerberos (3.0 - 1) <F108AFEB-198A-3BAF-BCA5-9DFCE55EFF92> /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos
    0x7fff812d9000 -
    0x7fff8131bff7  libauto.dylib (185.5) <F45C36E8-B606-3886-B5B1-B6745E757CA8> /usr/lib/libauto.dylib
    0x7fff8131c000 -
    0x7fff81e92fff  com.apple.AppKit (6.9 - 1265.19) <12647F2F-3FE2-3D77-B3F0-33EFAFF2CEA7> /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x7fff8269d000 -
    0x7fff82726ff7  libsystem_c.dylib (997.90.3) <6FD3A400-4BB2-3B95-B90C-BE6E9D0D78FA> /usr/lib/system/libsystem_c.dylib
    0x7fff827dd000 -
    0x7fff8281cfff  libGLU.dylib (9.6) <EE4907CA-219C-34BD-A84E-B85695F64C05> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x7fff82837000 -
    0x7fff82b0bfc7  com.apple.vImage (7.0 - 7.0) <D241DBFA-AC49-31E2-893D-EAAC31890C90> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.framework/Ve rsions/A/vImage
    0x7fff82b0c000 -
    0x7fff82b0dff7  com.apple.print.framework.Print (9.0 - 260) <EE00FAE1-DA03-3EC2-8571-562518C46994> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framework/Version s/A/Print
    0x7fff82ba1000 -
    0x7fff82ba5ff7  libheimdal-asn1.dylib (323.15) <B8BF2B7D-E913-3544-AA6D-CAC119F81C7C> /usr/lib/libheimdal-asn1.dylib
    0x7fff82ba6000 -
    0x7fff82c09ff7  com.apple.SystemConfiguration (1.13 - 1.13) <63B985ED-E7E4-3095-8D12-63C9F1DB0F3D> /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfiguration
    0x7fff82f6b000 -
    0x7fff82f86ff7  libCRFSuite.dylib (34) <FFAE75FA-C54E-398B-AA97-18164CD9789D> /usr/lib/libCRFSuite.dylib
    0x7fff82fe5000 -
    0x7fff82fedfff  libsystem_dnssd.dylib (522.90.2) <A0B7CF19-D9F2-33D4-8107-A62184C9066E> /usr/lib/system/libsystem_dnssd.dylib
    0x7fff82fee000 -
    0x7fff83010fff  com.apple.framework.familycontrols (4.1 - 410) <4FDBCD10-CAA2-3A9C-99F2-06DCB8E81DEE> /System/Library/PrivateFrameworks/FamilyControls.framework/Versions/A/FamilyControls
    0x7fff83108000 -
    0x7fff831b8ff7  libvMisc.dylib (423.32) <049C0735-1808-39B9-943F-76CB8021744F> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libvMisc.dylib
    0x7fff831b9000 -
    0x7fff831d4ff7  libPng.dylib (1042) <36FF1DDA-9804-33C5-802E-3FCA9879F0E6> /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x7fff831d5000 -
    0x7fff83234fff  com.apple.framework.CoreWLAN (4.3.2 - 432.47) <AE6FAE44-918C-301C-A0AA-C65CAB6B5668> /System/Library/Frameworks/CoreWLAN.framework/Versions/A/CoreWLAN
    0x7fff83235000 -
    0x7fff83323fff  libJP2.dylib (1042) <01D988D4-E36F-3120-8BA4-EF6282ECB010> /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x7fff83324000 -
    0x7fff8333dff7  com.apple.Ubiquity (1.3 - 289) <C7F1B734-CE81-334D-BE41-8B20D95A1F9B> /System/Library/PrivateFrameworks/Ubiquity.framework/Versions/A/Ubiquity
    0x7fff8333e000 -
    0x7fff8334bfff  com.apple.Sharing (132.2 - 132.2) <F983394A-226D-3244-B511-FA51FDB6ADDA> /System/Library/PrivateFrameworks/Sharing.framework/Versions/A/Sharing
    0x7fff837c4000 -
    0x7fff837dfff7  libsystem_malloc.dylib (23.10.1) <A695B4E4-38E9-332E-A772-29D31E3F1385> /usr/lib/system/libsystem_malloc.dylib
    0x7fff837e0000 -
    0x7fff838b1fff  com.apple.QuickLookUIFramework (5.0 - 622.7) <13841701-34C2-353D-868D-3E08D020C90F> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuickLookUI.framework/V ersions/A/QuickLookUI
    0x7fff838ec000 -
    0x7fff83974ff7  com.apple.CorePDF (4.0 - 4) <92D15ED1-D2E1-3ECB-93FF-42888219A99F> /System/Library/PrivateFrameworks/CorePDF.framework/Versions/A/CorePDF
    0x7fff83b63000 -
    0x7fff83b71fff  com.apple.CommerceCore (1.0 - 42) <ACC2CE3A-913A-39E0-8344-B76F8F694EF5> /System/Library/PrivateFrameworks/CommerceKit.framework/Versions/A/Frameworks/CommerceCor e.framework/Versions/A/CommerceCore
    0x7fff83b8f000 -
    0x7fff83c95ff7  com.apple.ImageIO.framework (3.3.0 - 1042) <6101F33E-CACC-3070-960A-9A2EA4BC5F44> /System/Library/Frameworks/ImageIO.framework/Versions/A/ImageIO
    0x7fff83cbd000 -
    0x7fff83ccaff0  libbz2.1.0.dylib (29) <0B98AC35-B138-349C-8063-2B987A75D24C> /usr/lib/libbz2.1.0.dylib
    0x7fff83cee000 -
    0x7fff83d53ff5  com.apple.Heimdal (4.0 - 2.0) <523EC6C4-BD9B-3840-9376-E617BA627F59> /System/Library/PrivateFrameworks/Heimdal.framework/Versions/A/Heimdal
    0x7fff83d6c000 -
    0x7fff83d6cffd  libOpenScriptingUtil.dylib (157) <19F0E769-0989-3062-9AFB-8976E90E9759> /usr/lib/libOpenScriptingUtil.dylib
    0x7fff83d6d000 -
    0x7fff83e38fff  libvDSP.dylib (423.32) <3BF732BE-DDE0-38EB-8C54-E4E3C64F77A7> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libvDSP.dylib
    0x7fff83e4c000 -
    0x7fff83ed5fff  com.apple.ColorSync (4.9.0 - 4.9.0) <B756B908-9AD1-3F5D-83F9-7A0B068387D2> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ColorSync. framework/Versions/A/ColorSync
    0x7fff83ed6000 -
    0x7fff83f24fff  com.apple.opencl (2.3.59 - 2.3.59) <8C2ACCC6-B0BA-3FE7-98A1-5C67284DEA4E> /System/Library/Frameworks/OpenCL.framework/Versions/A/OpenCL
    0x7fff83f27000 -
    0x7fff8425dfff  com.apple.MediaToolbox (1.0 - 1273.49) <AB8ED666-6D15-3367-A033-F4A8AD33C4E0> /System/Library/Frameworks/MediaToolbox.framework/Versions/A/MediaToolbox
    0x7fff84265000 -
    0x7fff84349fff  com.apple.coreui (2.1 - 231) <432DB40C-6B7E-39C8-9FB5-B95917930056> /System/Library/PrivateFrameworks/CoreUI.framework/Versions/A/CoreUI
    0x7fff84357000 -
    0x7fff8436dfff  com.apple.CoreMediaAuthoring (2.2 - 947) <B01FBACC-DDD5-30A8-BCCF-57CE24ABA329> /System/Library/PrivateFrameworks/CoreMediaAuthoring.framework/Versions/A/CoreMediaAuthor ing
    0x7fff8437e000 -
    0x7fff843a3ff7  com.apple.CoreVideo (1.8 - 117.2) <4674339E-26D0-35FA-9958-422832B39B12> /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
    0x7fff843a4000 -
    0x7fff843adff3  libsystem_notify.dylib (121) <52571EC3-6894-37E4-946E-064B021ED44E> /usr/lib/system/libsystem_notify.dylib
    0x7fff843c1000 -
    0x7fff843c3fff  com.apple.EFILogin (2.0 - 2) <C360E8AF-E9BB-3BBA-9DF0-57A92CEF00D4> /System/Library/PrivateFrameworks/EFILogin.framework/Versions/A/EFILogin
    0x7fff843c4000 -
    0x7fff843eeff7  libsandbox.1.dylib (278.11) <9E5654BF-DCD3-3B15-9C63-209B2B2D2803> /usr/lib/libsandbox.1.dylib
    0x7fff843ef000 -
    0x7fff843f7ff7  com.apple.speech.recognition.framework (4.2.4 - 4.2.4) <98BBB3E4-6239-3EF1-90B2-84EA0D3B8D61> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecognition.frame work/Versions/A/SpeechRecognition
    0x7fff843f8000 -
    0x7fff843f9fff  libunc.dylib (28) <62682455-1862-36FE-8A04-7A6B91256438> /usr/lib/system/libunc.dylib
    0x7fff843fa000 -
    0x7fff843ffff7  com.apple.MediaAccessibility (1.0 - 43) <D309D83D-5FAE-37A4-85ED-FFBDA8B66B82> /System/Library/Frameworks/MediaAccessibility.framework/Versions/A/MediaAccessibility
    0x7fff84880000 -
    0x7fff84884ff7  libcache.dylib (62) <BDC1E65B-72A1-3DA3-A57C-B23159CAAD0B> /usr/lib/system/libcache.dylib
    0x7fff84885000 -
    0x7fff8488cff7  libsystem_pthread.dylib (53.1.4) <AB498556-B555-310E-9041-F67EC9E00E2C> /usr/lib/system/libsystem_pthread.dylib
    0x7fff8488d000 -
    0x7fff84894fff  libcompiler_rt.dylib (35) <4CD916B2-1B17-362A-B403-EF24A1DAC141> /usr/lib/system/libcompiler_rt.dylib
    0x7fff84895000 -
    0x7fff8489dff3  libCGCMS.A.dylib (599.20.11) <BB1E8D63-9FA1-3588-AC5D-1980576ED62C> /System/Library/Frameworks/CoreGraphics.framework/Versions/A/Resources/libCGCMS.A.dylib
    0x7fff8489e000 -
    0x7fff848a8ff7  libcsfde.dylib (380) <3A54B430-EC05-3DE9-86C3-00C1BEAC7F9B> /usr/lib/libcsfde.dylib
    0x7fff848a9000 -
    0x7fff848ddfff  libssl.0.9.8.dylib (50) <B15F967C-B002-36C2-9621-3456D8509F50> /usr/lib/libssl.0.9.8.dylib
    0x7fff84966000 -
    0x7fff84a37ff1  com.apple.DiskImagesFramework (10.9 - 371.1) <D456ED08-4C1D-341F-BAB8-85E34A7275C5> /System/Library/PrivateFrameworks/DiskImages.framework/Versions/A/DiskImages
    0x7fff84a90000 -
    0x7fff84aa8ff7  com.apple.openscripting (1.4 - 157) <B3B037D7-1019-31E6-9D17-08E699AF3701> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting.framework /Versions/A/OpenScripting
    0x7fff84aa9000 -
    0x7fff84aacff7  libdyld.dylib (239.4) <CF03004F-58E4-3BB6-B3FD-BE4E05F128A0> /usr/lib/system/libdyld.dylib
    0x7fff84aad000 -
    0x7fff84ab0fff  com.apple.help (1.3.3 - 46) <AE763646-D07A-3F9A-ACD4-F5CBD734EE36> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framework/Versions /A/Help
    0x7fff84ab1000 -
    0x7fff84ab2ffb  libremovefile.dylib (33) <3543F917-928E-3DB2-A2F4-7AB73B4970EF> /usr/lib/system/libremovefile.dylib
    0x7fff84ab3000 -
    0x7fff84ab4ff7  libodfde.dylib (20) <C00A4EBA-44BC-3C53-BFD0-819B03FFD462> /usr/lib/libodfde.dylib
    0x7fff84ab5000 -
    0x7fff84ab5fff  com.apple.Cocoa (6.8 - 20) <E90E99D7-A425-3301-A025-D9E0CD11918E> /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x7fff84ab6000 -
    0x7fff84d60ff5  com.apple.HIToolbox (2.1 - 697.4) <DF5635DD-C255-3A8E-8B49-F6D2FB61FF95> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.framework/Ver sions/A/HIToolbox
    0x7fff84dc4000 -
    0x7fff84dc4fff  com.apple.CoreServices (59 - 59) <7A697B5E-F179-30DF-93F2-8B503CEEEFD5> /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x7fff84dc5000 -
    0x7fff851a6ffe  libLAPACK.dylib (1094.5) <7E7A9B8D-1638-3914-BAE0-663B69865986> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Ve rsions/A/libLAPACK.dylib
    0x7fff851a7000 -
    0x7fff851bfff7  com.apple.GenerationalStorage (2.0 - 160.2) <79629AC7-896F-3302-8AC1-4939020F08C3> /System/Library/PrivateFrameworks/GenerationalStorage.framework/Versions/A/GenerationalSt orage
    0x7fff851c0000 -
    0x7fff851c2fff  libCVMSPluginSupport.dylib (9.6) <FFDA2811-060E-3591-A280-4A726AA82436> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCVMSPluginSupport.dyl ib
    0x7fff851d5000 -
    0x7fff851e5ffb  libsasl2.2.dylib (170) <C8E25710-68B6-368A-BF3E-48EC7273177B> /usr/lib/libsasl2.2.dylib
    0x7fff85217000 -
    0x7fff8521cfff  libmacho.dylib (845) <1D2910DF-C036-3A82-A3FD-44FF73B5FF9B> /usr/lib/system/libmacho.dylib
    0x7fff8525e000 -
    0x7fff85282ff7  libJPEG.dylib (1042) <33648F26-A1DA-3C30-B15B-E9FFD41DB25C> /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x7fff85298000 -
    0x7fff8529dff7  libunwind.dylib (35.3) <78DCC358-2FC1-302E-B395-0155B47CB547> /usr/lib/system/libunwind.dylib
    0x7fff8529e000 -
    0x7fff852a8ff7  com.apple.CrashReporterSupport (10.9 - 538) <B487466B-3AA1-3854-A808-A61F049FA794> /System/Library/PrivateFrameworks/CrashReporterSupport.framework/Versions/A/CrashReporter Support
    0x7fff852a9000 -
    0x7fff8531cfff  com.apple.securityfoundation (6.0 - 55122.1) <1939DE0B-BC38-3E50-8A8C-3471C8AC4CD6> /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoundation
    0x7fff85394000 -
    0x7fff85396fff  com.apple.SecCodeWrapper (3.0 - 1) <DE7CA981-2B8B-34AC-845D-06D5C8F10441> /System/Library/PrivateFrameworks/SecCodeWrapper.framework/Versions/A/SecCodeWrapper
    0x7fff85397000 -
    0x7fff855f8fff  com.apple.imageKit (2.5 - 774) <AACDE16E-ED9F-3B3F-A792-69BA1942753B> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/ImageKit.framework/Vers ions/A/ImageKit
    0x7fff855f9000 -
    0x7fff85615fff  libresolv.9.dylib (54) <11C2C826-F1C6-39C6-B4E8-6E0C41D4FA95> /usr/lib/libresolv.9.dylib
    0x7fff856a9000 -
    0x7fff856abffb  libutil.dylib (34) <DAC4A6CF-A1BB-3874-9569-A919316D30E8> /usr/lib/libutil.dylib
    0x7fff856ac000 -
    0x7fff85738ff7  com.apple.ink.framework (10.9 - 207) <8A50B893-AD03-3826-8555-A54FEAF08F47> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework/Versions/ A/Ink
    0x7fff85757000 -
    0x7fff85795ff7  libGLImage.dylib (9.6) <DCF2E131-A65E-33B2-B32D-28FF01605AB1> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dylib
    0x7fff857ad000 -
    0x7fff857d6fff  com.apple.DictionaryServices (1.2 - 208) <A539A058-BA57-35EE-AA08-D0B0E835127D> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/DictionaryService s.framework/Versions/A/DictionaryServices
    0x7fff85825000 -
    0x7fff85978ff7  com.apple.audio.toolbox.AudioToolbox (1.10 - 1.10) <3511ABFE-22E1-3B91-B86A-5E3A78CE33FD> /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x7fff85979000 -
    0x7fff85dacffb  com.apple.vision.FaceCore (3.0.0 - 3.0.0) <F42BFC9C-0B16-35EF-9A07-91B7FDAB7FC5> /System/Library/PrivateFrameworks/FaceCore.framework/Versions/A/FaceCore
    0x7fff85dad000 -
    0x7fff85e9eff9  libiconv.2.dylib (41) <BB44B115-AC32-3877-A0ED-AEC6232A4563> /usr/lib/libiconv.2.dylib
    0x7fff85e9f000 -
    0x7fff85eabff7  com.apple.OpenDirectory (10.9 - 173.90.1) <E5EF8E1A-7214-36D0-AF0D-8D030DF6C2FC> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/OpenDirectory
    0x7fff85ecb000 -
    0x7fff85ed8ff7  libxar.1.dylib (202) <5572AA71-E98D-3FE1-9402-BB4A84E0E71E> /usr/lib/libxar.1.dylib
    0x7fff85ed9000 -
    0x7fff85ee5ff3  com.apple.AppleFSCompression (56 - 1.0) <5652B0D0-EB08-381F-B23A-6DCF96991FB5> /System/Library/PrivateFrameworks/AppleFSCompression.framework/Versions/A/AppleFSCompress ion
    0x7fff85ee6000 -
    0x7fff85ef5ff8  com.apple.LangAnalysis (1.7.0 - 1.7.0) <8FE131B6-1180-3892-98F5-C9C9B79072D4> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/LangAnalys is.framework/Versions/A/LangAnalysis
    0x7fff85ef6000 -
    0x7fff85f3dff7  libcups.2.dylib (372.2) <37802F24-BCC2-3721-8E12-82B29B61B2AA> /usr/lib/libcups.2.dylib
    0x7fff85f3e000 -
    0x7fff86025ff7  libxml2.2.dylib (26) <A1DADD11-89E5-3DE4-8802-07186225967F> /usr/lib/libxml2.2.dylib
    0x7fff86032000 -
    0x7fff86033fff  com.apple.TrustEvaluationAgent (2.0 - 25) <334A82F4-4AE4-3719-A511-86D0B0723E2B> /System/Library/PrivateFrameworks/TrustEvaluationAgent.framework/Versions/A/TrustEvaluati onAgent
    0x7fff8604e000 -
    0x7fff8604eff7  libkeymgr.dylib (28) <3AA8D85D-CF00-3BD3-A5A0-E28E1A32A6D8> /usr/lib/system/libkeymgr.dylib
    0x7fff86067000 -
    0x7fff86091ff7  libpcap.A.dylib (42) <91D3FF51-D6FE-3C05-98C9-1182E0EC3D58> /usr/lib/libpcap.A.dylib
    0x7fff860d1000 -
    0x7fff860deff4  com.apple.Librarian (1.2 - 1) <F1A2744D-8536-32C7-8218-9972C6300DAE> /System/Library/PrivateFrameworks/Librarian.framework/Versions/A/Librarian
    0x7fff860df000 -
    0x7fff8610eff5  com.apple.GSS (4.0 - 2.0) <62046C17-5D09-346C-B08E-A664DBC18411> /System/Library/Frameworks/GSS.framework/Versions/A/GSS
    0x7fff8610f000 -
    0x7fff86a2eaf3  com.apple.CoreGraphics (1.600.0 - 599.20.11) <06212100-8069-31A1-9C44-F6C4B1695230> /System/Library/Frameworks/CoreGraphics.framework/Versions/A/CoreGraphics
    0x7fff86ad2000 -
    0x7fff86b0aff7  com.apple.RemoteViewServices (2.0 - 94) <3F34D630-3DDB-3411-BC28-A56A9B55EBDA> /System/Library/PrivateFrameworks/RemoteViewServices.framework/Versions/A/RemoteViewServi ces
    0x7fff86b0b000 -
    0x7fff86b34ff7  libc++abi.dylib (49.1) <21A807D3-6732-3455-B77F-743E9F916DF0> /usr/lib/libc++abi.dylib
    0x7fff86b35000 -
    0x7fff86b39ff7  libGIF.dylib (1042) <C57840F6-1C11-3273-B4FC-956950B94034> /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x7fff8704a000 -
    0x7fff87095fff  com.apple.ImageCaptureCore (5.0 - 5.0) <F529EDDC-E2F5-30CA-9938-AF23296B5C5B> /System/Library/Frameworks/ImageCaptureCore.framework/Versions/A/ImageCaptureCore
    0x7fff87110000 -
    0x7fff87113fff  com.apple.AppleSystemInfo (3.0 - 3.0) <61FE171D-3D88-313F-A832-280AEC8F4AB7> /System/Library/PrivateFrameworks/AppleSystemInfo.framework/Versions/A/AppleSystemInfo
    0x7fff87114000 -
    0x7fff8714ffff  com.apple.bom (14.0 - 193.1) <EF24A562-6D3C-379E-8B9B-FAE0E4A0EF7C> /System/Library/PrivateFrameworks/Bom.framework/Versions/A/Bom
    0x7fff87150000 -
    0x7fff871b6fff  com.apple.framework.CoreWiFi (2.0 - 200.21.1) <5491896D-78C5-30B6-96E9-D8DDECF3BE73> /System/Library/Frameworks/CoreWiFi.framework/Versions/A/CoreWiFi
    0x7fff8720c000 -
    0x7fff87213ff3  libcopyfile.dylib (103) <5A881779-D0D6-3029-B371-E3021C2DDA5E> /usr/lib/system/libcopyfile.dylib
    0x7fff8721e000 -
    0x7fff87227ffb  com.apple.CommonAuth (4.0 - 2.0) <70FDDA03-7B44-37EC-B78E-3EC3C8505C76> /System/Library/PrivateFrameworks/CommonAuth.framework/Versions/A/CommonAuth
    0x7fff87228000 -
    0x7fff87230ff7  com.apple.AppleSRP (5.0 - 1) <ABC7F088-1FD5-3768-B9F3-847F355E90B3> /System/Library/PrivateFrameworks/AppleSRP.framework/Versions/A/AppleSRP
    0x7fff87231000 -
    0x7fff87233ff7  com.apple.securityhi (9.0 - 55005) <405E2BC6-2B6F-3B6B-B48E-2FD39214F052> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.framework/Ve rsions/A/SecurityHI
    0x7fff873cf000 -
    0x7fff876cdfff  com.apple.Foundation (6.9 - 1056.13) <2EE9AB07-3EA0-37D3-B407-4A520F2CB497> /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x7fff87756000 -
    0x7fff8776dff7  com.apple.CFOpenDirectory (10.9 - 173.90.1) <38A25261-C622-3F11-BFD3-7AFFC44D57B8> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/Frameworks/CFOpenDirectory. framework/Versions/A/CFOpenDirectory
    0x7fff8776e000 -
    0x7fff8776efff  com.apple.quartzframework (1.5 - 1.5) <3B2A72DB-39FC-3C5B-98BE-605F37777F37> /System/Library/Frameworks/Quartz.framework/Versions/A/Quartz
    0x7fff877f1000 -
    0x7fff877f1fff  com.apple.Carbon (154 - 157) <45A9A40A-78FF-3EA0-8FAB-A4F81052FA55> /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x7fff877f2000 -
    0x7fff877f3ff7  libDiagnosticMessagesClient.dylib (100) <4CDB0F7B-C0AF-3424-BC39-495696F0DB1E> /usr/lib/libDiagnosticMessagesClient.dylib
    0x7fff877f4000 -
    0x7fff87841ff2  com.apple.print.framework.PrintCore (9.0 - 428) <8D8253E3-302F-3DB2-9C5C-572CB974E8B3> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/PrintCore. framework/Versions/A/PrintCore
    0x7fff87842000 -
    0x7fff87873fff  com.apple.MediaKit (15 - 709) <23E33409-5C39-3F93-9E73-2B0E9EE8883E> /System/Library/PrivateFrameworks/MediaKit.framework/Versions/A/MediaKit
    0x7fff87a35000 -
    0x7fff87a6affc  com.apple.LDAPFramework (2.4.28 - 194.5) <4ADD0595-25B9-3F09-897E-3FB790AD2C5A> /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x7fff87a6b000 -
    0x7fff87ab7ffe  com.apple.CoreMediaIO (407.0 - 4561) <BC8222A6-516C-380C-AB7D-DE78B23574DC> /System/Library/Frameworks/CoreMediaIO.framework/Versions/A/CoreMediaIO
    0x7fff87acf000 -
    0x7fff87ad7ffc  libGFXShared.dylib (9.6) <E276D384-3616-3511-B5F2-92621D6372D6> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGFXShared.dylib
    0x7fff87ad8000 -
    0x7fff87dc2fff  com.apple.CoreServices.CarbonCore (1077.17 - 1077.17) <3A2E92FD-DEE2-3D45-9619-11500801A61C> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonCore.framew ork/Versions/A/CarbonCore
    0x7fff87eff000 -
    0x7fff87f05ff7  com.apple.XPCService (2.0 - 1) <2CE632D7-FE57-36CF-91D4-C57D0F2E0BFE> /System/Library/PrivateFrameworks/XPCService.framework/Versions/A/XPCService
    0x7fff87f06000 -
    0x7fff87f10fff  libcommonCrypto.dylib (60049) <8C4F0CA0-389C-3EDC-B155-E62DD2187E1D> /usr/lib/system/libcommonCrypto.dylib
    0x7fff87f11000 -
    0x7fff87f22ff7  libsystem_asl.dylib (217.1.4) <655FB343-52CF-3E2F-B14D-BEBF5AAEF94D> /usr/lib/system/libsystem_asl.dylib
    0x7fff87fa2000 -
    0x7fff87ff0fff  libcorecrypto.dylib (161.1) <F3973C28-14B6-3006-BB2B-00DD7F09ABC7> /usr/lib/system/libcorecrypto.dylib
    0x7fff87ff1000 -
    0x7fff8803afff  com.apple.CoreMedia (1.0 - 1273.49) <D91EC90A-BFF1-300D-A353-68001705811C> /System/Library/Frameworks/CoreMedia.framework/Versions/A/CoreMedia
    0x7fff8803b000 -
    0x7fff880a5ff7  com.apple.framework.IOKit (2.0.1 - 907.90.2) <A779DE46-BB7E-36FD-9348-694F9B09718F> /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x7fff880a6000 -
    0x7fff880d5fff  com.apple.DebugSymbols (106 - 106) <E1BDED08-523A-36F4-B2DA-9D5C712F0AC7> /System/Library/PrivateFrameworks/DebugSymbols.framework/Versions/A/DebugSymbols
    0x7fff88182000 -
    0x7fff8821dfff  com.apple.PDFKit (2.9.1 - 2.9.1) <F4DFF4F2-6DA3-3B1B-823E-D9ED271A1522> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/PDFKit.framework/Versio ns/A/PDFKit
    0x7fff8822e000 -
    0x7fff88275fff  libFontRegi

    First, you haven't installed the CS6 updates, and should.
    But that crash is in OS code, and it appears that your OS install might be corrupted.

  • Clock problem and shutdown problem! Are they related?

    Having a problem with my Dual 2 GHz Power Mac G5
    A few days ago I noticed that my clock was not showing in the menu bar in the upper right corner of my desktop.
    I went into System Preferences and went to Date & Time. Under the clock tab “Show Date and Time in Menu Bar” the box was not checked off. I checked it off and went to the “Date and Time” tab. The date and time was correct. I then checked the box “Click the lock to prevent further changes” to lock it. The date and time did not show up in the menu bar. I then went back to the tab “Show Date and Time in Menu Bar” and the box I checked was not checked off even thought the lock was still locked.
    I then moved my cursor up to the menu bar in the upper right corner to see what would happen and the spinning beach ball started up but only for the original icons such as Bluetooth, Mobile Me (which I do not use), Time Machine, Spaces (doesn’t indicated the number when I switch Spaces, etc. The icons Norton Anti Virus and Tech Tool Pro in the menu bar are okay.
    Also, when I attempt to shut down my computer the system clears the icons from my desktop except for a picture I have on my desktop and I get a gray wheel spinning and the system just hangs until I press and hold the on/off switch. I don’t know if the clock and shutdown problems are related.
    The only new software I loaded recently was Skype with Logitech WebCam for the Mac and Quicken 2007 (Had a problem with Quicken 2006). They both are working okay.
    And ideas on why I cannot get my clock to show up and my computer to shutdown?

    You may have to consider a new post in the Hardware forum area for the computer
    model and build/year; if there is a possibility of some basis the matter could be in
    the machine and not the software running within it.
    Your last two/three posts are in the Leopard 10.5(.8) forum area and do indicate
    some kind of problem where troubleshooting the computer to discover if the matter
    at hand would be either hardware or software based, may be the way to go.
    The link to the 10.6 Snow Leopard forum won't be of help if your computer is a
    PPC-based G5 tower, or other older pre-Intel configuration. And I remember
    your earlier questions about the iMac G4 and some other issues in the past.
    You may ask the moderators to put your post in a new thread of its own, in the
    Leopard 10.5 area; so as to not 'piggy-back' another topic; even though some
    of the odd issues you've had seem similar to this OP's topic line and appear to
    be in the same general series of hardware. {The question here seems valid.}
    The routine suggestions to check, test, verify, and perhaps repair or replace
    the system; save a bootable clone to suitable external standalone device if
    testing a suspect computer's viability is recommended; and the basics if not
    already tried to help isolate the issue(s) as you've posted elsewhere, may be
    of some help to try and do; so in that matter, a new thread of your own is best
    for your own directed feedback. Since this kind of advice applies to most any
    situation, including troubleshooting what may be hardware or software, I'm
    adding my two and three-tenths cents worth here.
    Your original included Apple Hardware Test may be of some help, in the process
    of elimination; but is not conclusive, so other methods would be also suggested.
    Some ideas appear to cover the same ground. However, system corruption or
    disc failure can also manifest itself in odd ways & affect things indirectly for a time.
    • OS X Maintenance And Troubleshooting
    http://www.macattorney.com/ts.html
    • Mac OS X BASIC TROUBLESHOOTING & MAINTENANCE
    http://www.gballard.net/macrant/osx_troubleshooting.html
    • Troubleshooting Tips for computers:
    http://www.stcdio.org/offices/cem/mediaandtechnology/cem-computer-classes/troubl eshooting.html
    So, at the risk of inadvertently alienating the OP, I am posting this as
    a general help to following readers at some later time; and it may not
    be too simple for a refresh course.
    Some software issues can be resolved by repairing disk permissions,
    and re-applying the last OS X update Combo file over the same one
    already in the system; or if not up-to-date already, check & repair all
    the general items and then apply the last Combo update.
    A too-full hard disk drive can compromise the system integrity, so that
    is a matter of course to keep up on what resources exist and remain
    for the OS X to function correctly and for apps to multi-task together.
    However that works out...
    Good luck & happy computing!

Maybe you are looking for

  • I have trial versions of Lightroom and Elements 11. "Edit in Photoshop.." does not open the image

    Using trial versions of Lightroom and Elements 11, th ecommand to "Edit in Photoshop Elements 11" succeeds in opening Photoshop but fails to open the image. Any ideas?

  • Ipad retina signal problems

    Hi, I've got an Ipad retina i've had it over 2 years now, but it is still immaculate so I really don't want to have to get a new one. We've been to three the other day (contract with three) they have given us a new sim card to try but it hasn't worke

  • Vendor PO spend

    dear all, how can i find out or validate the total number of PO quantity or value a vendor has spend for a specific period? thanks.

  • Employee Name

    Hi, I'm new to the HR Personnel Administration Area.  I Found 0PERSON has First name and last name.  0PERSON is an attribute of 0EMPLOYEE.  Since reports are based on 0EMPLOYEE how would I get the name to show. Name would be a transitive attribute un

  • CPI2.0 RSL #2032 error while adding NAM Datasources

    Hello, Despite implemented the RSL-Flash Patch allready, I get into this error when trying to add NAM Datasources at Administration > System Settings > Data Sources after having the HTTPS credentials for the NAM's configured. The RSL-Flash Patch was