Rendering...Can anyone help???

I have 2 classes for rendering images. When i run the application, the images kept flashing, may i know how could i actually have 1 image appearing instead of many images flashing? In other words, i would like in a way similar to mosaic rendering process...Thanks alot
import javax.swing.ImageIcon;
import javax.swing.JApplet;
import javax.swing.JComponent;
import javax.swing.JLabel;
import javax.swing.JPanel;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.Graphics;
import java.awt.Toolkit;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.BufferedInputStream;
* TumbleItem.java requires these files:
* SwingWorker.java
* all the images in the images/tumble directory
* (or, if specified in the applet tag, another directory [dir]
* with images named T1.gif ... Tx.gif, where x is the total
* number of images [nimgs])
* the appropriate code to specify that the applet be executed,
* such as the HTML code in TumbleItem.html or TumbleItem.atag,
* or the JNLP code in TumbleItem.jnlp
public class TumbleItem extends JApplet
implements ActionListener {
int loopslot = -1; //the current frame number
String dir; //the directory relative to the codebase
//from which the images are loaded
javax.swing.Timer timer;
//the timer animating the images
int pause; //the length of the pause between revs
int offset; //how much to offset between loops
int off; //the current offset
int speed; //animation speed
int nimgs; //number of images to animate
int width; //width of the applet's content pane
Animator animator; //the applet's content pane
ImageIcon imgs[]; //the images
int maxWidth; //width of widest image
boolean finishedLoading = false;
JLabel statusLabel;
static Color[] labelColor = { Color.black, Color.black,
Color.black, Color.black,
Color.black, Color.black,
Color.white, Color.white,
Color.white, Color.white };
//Called by init.
protected void loadAppletParameters() {
//Get the applet parameters.
String at = getParameter("img");
dir = (at != null) ? at : "images/tumble";
at = getParameter("pause");
pause = (at != null) ? Integer.valueOf(at).intValue() : 1900;
at = getParameter("offset");
offset = (at != null) ? Integer.valueOf(at).intValue() : 0;
at = getParameter("speed");
speed = (at != null) ? (1000 / Integer.valueOf(at).intValue()) : 100;
at = getParameter("nimgs");
nimgs = (at != null) ? Integer.valueOf(at).intValue() : 16;
at = getParameter("maxwidth");
maxWidth = (at != null) ? Integer.valueOf(at).intValue() : 0;
* Create the GUI. For thread safety, this method should
* be invoked from the event-dispatching thread.
private void createGUI() {
//Animate from right to left if offset is negative.
width = getSize().width;
if (offset < 0) {
off = width - maxWidth;
//Custom component to draw the current image
//at a particular offset.
animator = new Animator();
animator.setOpaque(true);
animator.setBackground(Color.white);
setContentPane(animator);
//Put a "Loading Images..." label in the middle of
//the content pane. To center the label's text in
//the applet, put it in the center part of a
//BorderLayout-controlled container, and center-align
//the label's text.
statusLabel = new JLabel("Loading Images...",
JLabel.CENTER);
statusLabel.setForeground(labelColor[0]);
animator.add(statusLabel, BorderLayout.CENTER);
//Called when this applet is loaded into the browser.
public void init() {
loadAppletParameters();
//Execute a job on the event-dispatching thread:
//creating this applet's GUI.
try {
javax.swing.SwingUtilities.invokeAndWait(new Runnable() {
public void run() {
createGUI();
} catch (Exception e) {
System.err.println("createGUI didn't successfully complete");
//Set up the timer that will perform the animation.
timer = new javax.swing.Timer(speed, this);
timer.setInitialDelay(pause);
timer.setCoalesce(false);
timer.start(); //Start the animation.
//Loading the images can take quite a while, so to
//avoid staying in init() (and thus not being able
//to show the "Loading Images..." label) we'll
//load the images in a SwingWorker thread.
imgs = new ImageIcon[nimgs];
final SwingWorker worker = new SwingWorker() {
public Object construct() {
//Images are numbered 1 to nimgs,
//but fill array from 0 to nimgs-1.
for (int i = 0; i < nimgs; i++) {
imgs = loadImage(i+1);
finishedLoading = true;
return imgs;
//Executes in the event-dispatching thread.
public void finished() {
//Remove the "Loading images" label.
animator.removeAll();
loopslot = -1;
worker.start();
//The component that actually presents the GUI.
public class Animator extends JPanel {
public Animator() {
super(new BorderLayout());
protected void paintComponent(Graphics g) {
super.paintComponent(g);
if (finishedLoading &&
(loopslot > -1) && (loopslot < nimgs)) {
if (imgs != null && imgs[loopslot] != null) {
imgs[loopslot].paintIcon(this, g, off, 0);
//Update the the loopslot (frame number) and the offset.
//If it's the last frame, restart the timer to get a long
//pause between loops.
public void actionPerformed(ActionEvent e) {
loopslot++;
if (!finishedLoading) {
int colorIndex = loopslot % labelColor.length;
try {
statusLabel.setForeground(labelColor[colorIndex]);
} catch (NullPointerException exc) {}
return;
if (loopslot >= nimgs) {
loopslot = 0;
off += offset;
if (off < 0) {
off = width - maxWidth;
} else if (off + maxWidth > width) {
off = 0;
animator.repaint();
if (loopslot == nimgs - 1) {
timer.restart();
//Called to start the applet's execution.
public void start() {
if (finishedLoading && (nimgs > 1)) {
timer.restart();
//Called to stop (temporarily or permanently) the applet's execution.
public void stop() {
timer.stop();
protected ImageIcon loadImage(int imageNum) {
String path = dir + "/Image" + imageNum + ".jpg";
int MAX_IMAGE_SIZE = 2400; //Change this to the size of
//your biggest image, in bytes.
int count = 0;
BufferedInputStream imgStream = new BufferedInputStream(
this.getClass().getResourceAsStream(path));
if (imgStream != null) {
byte buf[] = new byte[MAX_IMAGE_SIZE];
try {
count = imgStream.read(buf);
imgStream.close();
} catch (java.io.IOException ioe) {
System.err.println("Couldn't read stream from file: " + path);
return null;
if (count <= 0) {
System.err.println("Empty file: " + path);
return null;
return new ImageIcon(Toolkit.getDefaultToolkit().createImage(buf));
} else {
System.err.println("Couldn't find file: " + path);
return null;
public String getAppletInfo() {
return "Title: TumbleItem v1.2, 23 Jul 1997\n"
+ "Author: Interactive Mosaic\n"
+ "A simple Item class to play an image loop.";
public String[][] getParameterInfo() {
String[][] info = {
{"img", "string", "the directory containing the images to loop"},
{"pause", "int", "pause between complete loops; default is 3900"},
{"offset", "int", "offset of each image to simulate left (-) or "
+ "right (+) motion; default is 0 (no motion)"},
{"speed", "int", "the speed at which the frames are looped; "
+ "default is 100"},
{"nimgs", "int", "the number of images to be looped; default is 16"},
{"maxwidth", "int", "the maximum width of any image in the loop; "
+ "default is 0"}
return info;
import javax.swing.SwingUtilities;
public abstract class SwingWorker {
private Object value; // see getValue(), setValue()
* Class to maintain reference to current worker thread
* under separate synchronization control.
private static class ThreadVar {
private Thread thread;
ThreadVar(Thread t) { thread = t; }
synchronized Thread get() { return thread; }
synchronized void clear() { thread = null; }
private ThreadVar threadVar;
* Get the value produced by the worker thread, or null if it
* hasn't been constructed yet.
protected synchronized Object getValue() {
return value;
* Set the value produced by worker thread
private synchronized void setValue(Object x) {
value = x;
* Compute the value to be returned by the <code>get</code> method.
public abstract Object construct();
* Called on the event dispatching thread (not on the worker thread)
* after the <code>construct</code> method has returned.
public void finished() {
* A new method that interrupts the worker thread. Call this method
* to force the worker to stop what it's doing.
public void interrupt() {
Thread t = threadVar.get();
if (t != null) {
t.interrupt();
threadVar.clear();
public Object get() {
while (true) {
Thread t = threadVar.get();
if (t == null) {
return getValue();
try {
t.join();
catch (InterruptedException e) {
Thread.currentThread().interrupt(); // propagate
return null;
* Start a thread that will call the <code>construct</code> method
* and then exit.
public SwingWorker() {
final Runnable doFinished = new Runnable() {
public void run() { finished(); }
Runnable doConstruct = new Runnable() {
public void run() {
try {
setValue(construct());
finally {
threadVar.clear();
SwingUtilities.invokeLater(doFinished);
Thread t = new Thread(doConstruct);
threadVar = new ThreadVar(t);
* Start the worker thread.
public void start() {
Thread t = threadVar.get();
if (t != null) {
t.start();
}

Nobody pays any attention to those boundries ...
indeed many feel - and with good reason IMO - that
the response time is better on THIS forum.I don't agree. The Swing forum is followed by several
people who are very competent to answer Swing
questions. Questions posted there usually receive
good answers. Whereas this forum -- sure, people
answer questions here too. But it is also populated
by trolls and buffoons. And by people who don't have
the intelligence to figure out where a question
should be posted.
There are obvious reasons for having thirty forums
instead of one. I'm sure you can figure them out
without my help. So given that there should be more
than one forum, it follows that people should post in
the correct forum.I better quit while I can still stand, huh ;o)
Look I'll say it again ... I was not and am not suggesting that the camickr's point of view was wrong. I only questioned the weight that he appeared to be putting on it by outspokenly stating that swing questions ought to be posted to the swing forum only.
There are, as you state, a lot of other more specific forums; there are AWT forums and JDBC forums, etc., but I can't remember the last time someone posted that AWT, JDBC, or whatever threads ought ONLY be posted to their respective forums. In actual fact, in many/most cases they probably should be.
I had started a thread on - I think it was the AWT or some other forum - and found the response was not nearly so quick as it is on this forum. I'd noticed at least once that another well respected forum regular - not unlile yourself - did similarly.
My main point was - and at this point I am sorry that I even mentioned it I think - there alot of other issues that IMO - I image from what you wrote you don't agree, but in my opinion, take precedence.
Have a great weekend, and best regards,
~Bill

Similar Messages

  • I am having problems using mov files imported into a project. I get the message "Not rendered" in the Canvas and clip won't play. Can anyone help?

    I am having problems using mov files imported into a project. I get the message "Not rendered" in the Canvas and clip won't play. Can anyone help?

    When clips won't play without rendering in the Timeline, it usually means that the clip's specs don't match the Sequence settings.
    A .mov file could be made from any number of codecs; the QuickTime Movie designation is merely a container for video files of all kinds.  Since FCE only works with the QuickTime DV codec and the Apple Intermediate Codec (AIC) natively, if your mov files aren't one of those two, you need to convert them PRIOR to importing into your FCE project.
    -DH

  • Can anyone help me, please(again)

    Hello :
    I am sorry that my massage is not clearly.
    Please run my coding first, and get some view from my coding. you can see somes buttons are on the frame.
    Now I want to click the number 20 of the buttons, and then I want to display a table which from the class TableRenderDemo to sit under the buttons. I added some coding for this problem in the class DrawClalendar, the coding is indicated by ??.
    but it still can not see the table apear on on the frame with the buttons.
    Can anyone help me to solve this problem.please
    Thanks
    *This program for add some buttons to JPanel
    *and add listeners to each button
    *I want to display myTable under the buttons,
    *when I click on number 20, but why it doesn't
    *work, The coding for these part are indicated by ??????????????
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.GridLayout;
    public class DrawCalendar extends JPanel {
         private static DrawCalendar dC;
         private static TestMain tM;
         private static TableRenderDemo myTable;
         private static GridLayout gL;
         private static final int nlen = 35;
        private static String names[] = new String[nlen];
        private static JButton buttons[] = new JButton[nlen];
         public DrawCalendar(){
              gL=new GridLayout(5,7,0,0);
               setLayout(gL);
               assignValues();
               addJButton();
               registerListener();
        //assign values to each button
           private void assignValues(){
              names = new String[35];
             for(int i = 0; i < names.length; i++)
                names[i] = Integer.toString(i + 1);
         //create buttons and add them to Jpanel
         private void addJButton(){
              buttons=new JButton[names.length];
              for (int i=0; i<names.length; i++){
                   buttons=new JButton(names[i]);
         buttons[i].setBorder(null);
         buttons[i].setBackground(Color.white);
         buttons[i].setFont(new Font ("Palatino", 0,8));
    add(buttons[i]);
    //add listeners to each button
    private void registerListener(){
         for(int i=0; i<35; i++)
              buttons[i].addActionListener(new EventHandler());          
    //I want to display myTable under the buttons,
    //when I click on number 20, but why it doesn't
    //work
    private class EventHandler implements ActionListener{
         public void actionPerformed(ActionEvent e){
         for(int i=0; i<35; i++){
    //I want to display myTable under the buttons,
    //when I click on number 20, but why it doesn't
    //work
         if(i==20){  //???????????               
              tM=new TestMain(); //???????
              tM.c.removeAll(); //??????
              tM.c.add(dC); //???????
              tM.c.add(myTable); //????
              tM.validate();
         if(e.getSource()==buttons[i]){
         System.out.println("testing " + names[i]);
         break;
    *This program create a table with some data
    import javax.swing.table.AbstractTableModel;
    import javax.swing.table.TableColumn;
    import javax.swing.DefaultCellEditor;
    import javax.swing.table.TableCellRenderer;
    import javax.swing.table.DefaultTableCellRenderer;
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class TableRenderDemo extends JScrollPane {
    private boolean DEBUG = true;
    public TableRenderDemo() {
    // super("TableRenderDemo");
    MyTableModel myModel = new MyTableModel();
    JTable table = new JTable(myModel);
    table.setPreferredScrollableViewportSize(new Dimension(700, 70));//500,70
    //Create the scroll pane and add the table to it.
    setViewportView(table);
    //Set up column sizes.
    initColumnSizes(table, myModel);
    //Fiddle with the Sport column's cell editors/renderers.
    setUpSportColumn(table.getColumnModel().getColumn(2));
    * This method picks good column sizes.
    * If all column heads are wider than the column's cells'
    * contents, then you can just use column.sizeWidthToFit().
    private void initColumnSizes(JTable table, MyTableModel model) {
    TableColumn column = null;
    Component comp = null;
    int headerWidth = 0;
    int cellWidth = 0;
    Object[] longValues = model.longValues;
    for (int i = 0; i < 5; i++) {
    column = table.getColumnModel().getColumn(i);
    try {
    comp = column.getHeaderRenderer().
    getTableCellRendererComponent(
    null, column.getHeaderValue(),
    false, false, 0, 0);
    headerWidth = comp.getPreferredSize().width;
    } catch (NullPointerException e) {
    System.err.println("Null pointer exception!");
    System.err.println(" getHeaderRenderer returns null in 1.3.");
    System.err.println(" The replacement is getDefaultRenderer.");
    comp = table.getDefaultRenderer(model.getColumnClass(i)).
    getTableCellRendererComponent(
    table, longValues[i],
    false, false, 0, i);
    cellWidth = comp.getPreferredSize().width;
    if (DEBUG) {
    System.out.println("Initializing width of column "
    + i + ". "
    + "headerWidth = " + headerWidth
    + "; cellWidth = " + cellWidth);
    //XXX: Before Swing 1.1 Beta 2, use setMinWidth instead.
    column.setPreferredWidth(Math.max(headerWidth, cellWidth));
    public void setUpSportColumn(TableColumn sportColumn) {
    //Set up the editor for the sport cells.
    JComboBox comboBox = new JComboBox();
    comboBox.addItem("Snowboarding");
    comboBox.addItem("Rowing");
    comboBox.addItem("Chasing toddlers");
    comboBox.addItem("Speed reading");
    comboBox.addItem("Teaching high school");
    comboBox.addItem("None");
    sportColumn.setCellEditor(new DefaultCellEditor(comboBox));
    //Set up tool tips for the sport cells.
    DefaultTableCellRenderer renderer =
    new DefaultTableCellRenderer();
    renderer.setToolTipText("Click for combo box");
    sportColumn.setCellRenderer(renderer);
    //Set up tool tip for the sport column header.
    TableCellRenderer headerRenderer = sportColumn.getHeaderRenderer();
    if (headerRenderer instanceof DefaultTableCellRenderer) {
    ((DefaultTableCellRenderer)headerRenderer).setToolTipText(
    "Click the sport to see a list of choices");
    class MyTableModel extends AbstractTableModel {
    final String[] columnNames = {"First Name",
    "Last Name",
    "Sport",
    "# of Years",
    "Vegetarian"};
    final Object[][] data = {
    {"Mary ", "Campione",
    "Snowboarding", new Integer(5), new Boolean(false)},
    {"Alison", "Huml",
    "Rowing", new Integer(3), new Boolean(true)},
    {"Kathy", "Walrath",
    "Chasing toddlers", new Integer(2), new Boolean(false)},
    {"Sharon", "Zakhour",
    "Speed reading", new Integer(20), new Boolean(true)},
    {"Angela", "Lih",
    "Teaching high school", new Integer(4), new Boolean(false)}
    public final Object[] longValues = {"Angela", "Andrews",
    "Teaching high school",
    new Integer(20), Boolean.TRUE};
    public int getColumnCount() {
    return columnNames.length;
    public int getRowCount() {
    return data.length;
    public String getColumnName(int col) {
    return columnNames[col];
    public Object getValueAt(int row, int col) {
    return data[row][col];
    * JTable uses this method to determine the default renderer/
    * editor for each cell. If we didn't implement this method,
    * then the last column would contain text ("true"/"false"),
    * rather than a check box.
    public Class getColumnClass(int c) {
    return getValueAt(0, c).getClass();
    * Don't need to implement this method unless your table's
    * editable.
    public boolean isCellEditable(int row, int col) {
    //Note that the data/cell address is constant,
    //no matter where the cell appears onscreen.
    if (col < 2) {
    return false;
    } else {
    return true;
    * Don't need to implement this method unless your table's
    * data can change.
    public void setValueAt(Object value, int row, int col) {
    if (DEBUG) {
    System.out.println("Setting value at " + row + "," + col
    + " to " + value
    + " (an instance of "
    + value.getClass() + ")");
    if (data[0][col] instanceof Integer
    && !(value instanceof Integer)) {
    //With JFC/Swing 1.1 and JDK 1.2, we need to create
    //an Integer from the value; otherwise, the column
    //switches to contain Strings. Starting with v 1.3,
    //the table automatically converts value to an Integer,
    //so you only need the code in the 'else' part of this
    //'if' block.
    try {
    data[row][col] = new Integer(value.toString());
    fireTableCellUpdated(row, col);
    } catch (NumberFormatException e) {
    JOptionPane.showMessageDialog(TableRenderDemo.this,
    "The \"" + getColumnName(col)
    + "\" column accepts only integer values.");
    } else {
    data[row][col] = value;
    fireTableCellUpdated(row, col);
    if (DEBUG) {
    System.out.println("New value of data:");
    printDebugData();
    private void printDebugData() {
    int numRows = getRowCount();
    int numCols = getColumnCount();
    for (int i=0; i < numRows; i++) {
    System.out.print(" row " + i + ":");
    for (int j=0; j < numCols; j++) {
    System.out.print(" " + data[i][j]);
    System.out.println();
    System.out.println("--------------------------");
    *This program for add some buttons and a table on JFrame
    import java.awt.*;
    import javax.swing.*;
    public class TestMain extends JFrame{
    private static TableRenderDemo tRD;
         private static TestMain tM;
    protected static Container c;
    private static DrawCalendar dC;
         public static void main(String[] args){
         tM = new TestMain();
         tM.setVisible(true);
         public TestMain(){
         super(" Test");
         setSize(800,600);
    //set up layoutManager
    c=getContentPane();
    c.setLayout ( new GridLayout(3,1));
    tRD=new TableRenderDemo();
    dC=new DrawCalendar();
    addItems();//add Buttons to JFrame
    private void addItems(){
         c.add(dC); //add Buttons to JFrame
         //c.add(tRD); //add Table to JFrame     

    I think this is what you are trying to do. Your code was not very clear so I wrote my own:
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.table.*;
    import java.text.*;
    public class TableButtons extends JFrame implements ActionListener
         Component southComponent;
        public TableButtons()
              JPanel buttons = new JPanel();
              buttons.setLayout( new GridLayout(5, 7) );
              Dimension buttonSize = new Dimension(20, 20);
              for (int j = 0; j < 35; j++)
                   // this is a trick to convert an integer to a string
                   String label = "" + (j + 1);
                   JButton button = new JButton( label );
                   button.setBorder( null );
                   button.setBackground( Color.white );
                   button.setPreferredSize( buttonSize );
                   button.addActionListener( this );
                   buttons.add(button);
              getContentPane().add(buttons, BorderLayout.NORTH);
         public void actionPerformed(ActionEvent e)
              JButton button = (JButton)e.getSource();
              String command = button.getActionCommand();
              if (command.equals("20"))
                   displayTable();
              else
                   System.out.println("Button " + command + " pressed");
                   if (southComponent != null)
                        getContentPane().remove( southComponent );
                        validate();
                        pack();
                        southComponent = null;
         private void displayTable()
            String[] columnNames = {"Student#", "Student Name", "Gender", "Grade", "Average"};
            Object[][] data =
                {new Integer(1), "Bob",   "M", "A", new Double(85.5) },
                {new Integer(2), "Carol", "F", "B", new Double(77.7) },
                {new Integer(3), "Ted",   "M", "C", new Double(66.6) },
                {new Integer(4), "Alice", "F", "D", new Double(55.5) }
            JTable table = new JTable(data, columnNames);
            table.setPreferredScrollableViewportSize(table.getPreferredSize());
            JScrollPane scrollPane= new JScrollPane( table );
            getContentPane().add(scrollPane, BorderLayout.SOUTH);
            validate();
            pack();
            southComponent = scrollPane;
        public static void main(String[] args)
            TableButtons frame = new TableButtons();
            frame.setDefaultCloseOperation( EXIT_ON_CLOSE );
            frame.pack();
            frame.setVisible(true);
    }

  • Can anyone help me, please

    Hello again:
    Please run my coding first, and get some view from my coding.
    I want to add a table(it is from TableRenderDemo) to a JFrame when I click on the button(from DrawCalendar) of the numer 20, and I want the table disply under the buttons(from DrawCalendar), and the table & buttons all appear on the frame. I added some code for this problem(in the EventHander of the DrawCalendar class), but I do
    not known why it can not work.Please help me to solve this problem.
    Can anyone help me, please.
    Thanks.
    *This program for add some buttons to JPanel
    *and add listeners to each button
    *I want to display myTable under the buttons,
    *when I click on number 20, but why it doesn't
    *work, The coding for these part are indicated by ??????????????
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.GridLayout;
    public class DrawCalendar extends JPanel {
         private static DrawCalendar dC;
         private static TestMain tM;
         private static TableRenderDemo myTable;
         private static GridLayout gL;
         private static final int nlen = 35;
        private static String names[] = new String[nlen];
        private static JButton buttons[] = new JButton[nlen];
         public DrawCalendar(){
              gL=new GridLayout(5,7,0,0);
               setLayout(gL);
               assignValues();
               addJButton();
               registerListener();
        //assign values to each button
           private void assignValues(){
              names = new String[35];
             for(int i = 0; i < names.length; i++)
                names[i] = Integer.toString(i + 1);
         //create buttons and add them to Jpanel
         private void addJButton(){
              buttons=new JButton[names.length];
              for (int i=0; i<names.length; i++){
                   buttons=new JButton(names[i]);
         buttons[i].setBorder(null);
         buttons[i].setBackground(Color.white);
         buttons[i].setFont(new Font ("Palatino", 0,8));
    add(buttons[i]);
    //add listeners to each button
    private void registerListener(){
         for(int i=0; i<35; i++)
              buttons[i].addActionListener(new EventHandler());          
    //I want to display myTable under the buttons,
    //when I click on number 20, but why it doesn't
    //work
    private class EventHandler implements ActionListener{
         public void actionPerformed(ActionEvent e){
         for(int i=0; i<35; i++){
    //I want to display myTable under the buttons,
    //when I click on number 20, but why it doesn't
    //work
         if(i==20){  //???????????               
              tM=new TestMain(); //???????
              tM.c.removeAll(); //??????
              tM.c.add(dC); //???????
              tM.c.add(myTable); //????
              tM.validate();
         if(e.getSource()==buttons[i]){
         System.out.println("testing " + names[i]);
         break;
    *This program create a table with some data
    import javax.swing.table.AbstractTableModel;
    import javax.swing.table.TableColumn;
    import javax.swing.DefaultCellEditor;
    import javax.swing.table.TableCellRenderer;
    import javax.swing.table.DefaultTableCellRenderer;
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class TableRenderDemo extends JScrollPane {
    private boolean DEBUG = true;
    public TableRenderDemo() {
    // super("TableRenderDemo");
    MyTableModel myModel = new MyTableModel();
    JTable table = new JTable(myModel);
    table.setPreferredScrollableViewportSize(new Dimension(700, 70));//500,70
    //Create the scroll pane and add the table to it.
    setViewportView(table);
    //Set up column sizes.
    initColumnSizes(table, myModel);
    //Fiddle with the Sport column's cell editors/renderers.
    setUpSportColumn(table.getColumnModel().getColumn(2));
    * This method picks good column sizes.
    * If all column heads are wider than the column's cells'
    * contents, then you can just use column.sizeWidthToFit().
    private void initColumnSizes(JTable table, MyTableModel model) {
    TableColumn column = null;
    Component comp = null;
    int headerWidth = 0;
    int cellWidth = 0;
    Object[] longValues = model.longValues;
    for (int i = 0; i < 5; i++) {
    column = table.getColumnModel().getColumn(i);
    try {
    comp = column.getHeaderRenderer().
    getTableCellRendererComponent(
    null, column.getHeaderValue(),
    false, false, 0, 0);
    headerWidth = comp.getPreferredSize().width;
    } catch (NullPointerException e) {
    System.err.println("Null pointer exception!");
    System.err.println(" getHeaderRenderer returns null in 1.3.");
    System.err.println(" The replacement is getDefaultRenderer.");
    comp = table.getDefaultRenderer(model.getColumnClass(i)).
    getTableCellRendererComponent(
    table, longValues[i],
    false, false, 0, i);
    cellWidth = comp.getPreferredSize().width;
    if (DEBUG) {
    System.out.println("Initializing width of column "
    + i + ". "
    + "headerWidth = " + headerWidth
    + "; cellWidth = " + cellWidth);
    //XXX: Before Swing 1.1 Beta 2, use setMinWidth instead.
    column.setPreferredWidth(Math.max(headerWidth, cellWidth));
    public void setUpSportColumn(TableColumn sportColumn) {
    //Set up the editor for the sport cells.
    JComboBox comboBox = new JComboBox();
    comboBox.addItem("Snowboarding");
    comboBox.addItem("Rowing");
    comboBox.addItem("Chasing toddlers");
    comboBox.addItem("Speed reading");
    comboBox.addItem("Teaching high school");
    comboBox.addItem("None");
    sportColumn.setCellEditor(new DefaultCellEditor(comboBox));
    //Set up tool tips for the sport cells.
    DefaultTableCellRenderer renderer =
    new DefaultTableCellRenderer();
    renderer.setToolTipText("Click for combo box");
    sportColumn.setCellRenderer(renderer);
    //Set up tool tip for the sport column header.
    TableCellRenderer headerRenderer = sportColumn.getHeaderRenderer();
    if (headerRenderer instanceof DefaultTableCellRenderer) {
    ((DefaultTableCellRenderer)headerRenderer).setToolTipText(
    "Click the sport to see a list of choices");
    class MyTableModel extends AbstractTableModel {
    final String[] columnNames = {"First Name",
    "Last Name",
    "Sport",
    "# of Years",
    "Vegetarian"};
    final Object[][] data = {
    {"Mary ", "Campione",
    "Snowboarding", new Integer(5), new Boolean(false)},
    {"Alison", "Huml",
    "Rowing", new Integer(3), new Boolean(true)},
    {"Kathy", "Walrath",
    "Chasing toddlers", new Integer(2), new Boolean(false)},
    {"Sharon", "Zakhour",
    "Speed reading", new Integer(20), new Boolean(true)},
    {"Angela", "Lih",
    "Teaching high school", new Integer(4), new Boolean(false)}
    public final Object[] longValues = {"Angela", "Andrews",
    "Teaching high school",
    new Integer(20), Boolean.TRUE};
    public int getColumnCount() {
    return columnNames.length;
    public int getRowCount() {
    return data.length;
    public String getColumnName(int col) {
    return columnNames[col];
    public Object getValueAt(int row, int col) {
    return data[row][col];
    * JTable uses this method to determine the default renderer/
    * editor for each cell. If we didn't implement this method,
    * then the last column would contain text ("true"/"false"),
    * rather than a check box.
    public Class getColumnClass(int c) {
    return getValueAt(0, c).getClass();
    * Don't need to implement this method unless your table's
    * editable.
    public boolean isCellEditable(int row, int col) {
    //Note that the data/cell address is constant,
    //no matter where the cell appears onscreen.
    if (col < 2) {
    return false;
    } else {
    return true;
    * Don't need to implement this method unless your table's
    * data can change.
    public void setValueAt(Object value, int row, int col) {
    if (DEBUG) {
    System.out.println("Setting value at " + row + "," + col
    + " to " + value
    + " (an instance of "
    + value.getClass() + ")");
    if (data[0][col] instanceof Integer
    && !(value instanceof Integer)) {
    //With JFC/Swing 1.1 and JDK 1.2, we need to create
    //an Integer from the value; otherwise, the column
    //switches to contain Strings. Starting with v 1.3,
    //the table automatically converts value to an Integer,
    //so you only need the code in the 'else' part of this
    //'if' block.
    try {
    data[row][col] = new Integer(value.toString());
    fireTableCellUpdated(row, col);
    } catch (NumberFormatException e) {
    JOptionPane.showMessageDialog(TableRenderDemo.this,
    "The \"" + getColumnName(col)
    + "\" column accepts only integer values.");
    } else {
    data[row][col] = value;
    fireTableCellUpdated(row, col);
    if (DEBUG) {
    System.out.println("New value of data:");
    printDebugData();
    private void printDebugData() {
    int numRows = getRowCount();
    int numCols = getColumnCount();
    for (int i=0; i < numRows; i++) {
    System.out.print(" row " + i + ":");
    for (int j=0; j < numCols; j++) {
    System.out.print(" " + data[i][j]);
    System.out.println();
    System.out.println("--------------------------");
    *This program for add some buttons and a table on JFrame
    import java.awt.*;
    import javax.swing.*;
    public class TestMain extends JFrame{
    private static TableRenderDemo tRD;
         private static TestMain tM;
    protected static Container c;
    private static DrawCalendar dC;
         public static void main(String[] args){
         tM = new TestMain();
         tM.setVisible(true);
         public TestMain(){
         super(" Test");
         setSize(800,600);
    //set up layoutManager
    c=getContentPane();
    c.setLayout ( new GridLayout(3,1));
    tRD=new TableRenderDemo();
    dC=new DrawCalendar();
    addItems();//add Buttons to JFrame
    private void addItems(){
         c.add(dC); //add Buttons to JFrame
         //c.add(tRD); //add Table to JFrame     

    Click Here and follow the steps to configure your Linksys Router with Version FIOS.

  • When trying to Export Movie, I get an error saying Unable to prepare project for publishing. Can anyone help?

    I have been trying to Export a 48 minute movie (stills, titles, transitions, and background music using iMovie 11 Ver 9. After a couple of hours of rendering, it stops with th efollowing error: "Unable to prepare project for publishing. The project could not be prepared for publishing because an error occured. (File already open with with write permission)". Can anyone help? Thanks.

    I'd start with the following user tip with that one:
    "There is a problem with this Windows Installer package ..." error messages when installing iTunes for Windows

  • Can anyone help with intermitent blurring on videos.

    My video is done.  Many parts are good and many are now intermitingly blurry.  Can anyone help? 
    Am using a good camera.  Have done one video before and it turned out good.  The video from the camera is not blurry at all.  Just now.  I need help.
    Using Pre. Elements 8. 

    It is a new Sony with an 80 G hard drive.  Don't know the Model number - it is being used by a friend right now.  I have taken other video and made a DVD and it was just fine.
    I am not sure what the Project preset means.
    I did not have any effects on them, but added some to see if it would makee a difference.  It did not.
    I do see blurriness in the Timeline, but origianlly the clips were not like that.  Nothing special about the clips.
    Yes, bluriness observed on a TV.  Tried 2 different DVD players, but again, I can see the bluriness in the Timeline now, but I couldn't before.
    I just looked at the original of one of the clips and there is no bluriness.
    It seems to me in happened after I rendered the files.  Is there a way to unrender them without losing all the movie?
    Thanks,
    Wayne

  • Can anyone help with email in my old G4 17"  ??

    My G4 17", bought December 2004, is considered an antique by Apple, and no longer supported. (I now mostly use my early 2011 MacBookPro.)
    But the big screen on by G4 is very useful for Sibelius 4, the music program I mostly use (Sibelius 7 in the MacBookPro - but much too fussy for me.)
    Sibelius 4 in the G4 continues to work flawlessly.
    But my email account recently sort of died. It's  POP account (whatever that means). I can no longer receive messages, BUT I can still create and
    send new messages, and of course forward any saved message to myself in the MacBookPro.
    ALSO:  if I have to shut down the G4, it usually reopens with a horizontally divided display, and it usually takes many restarts before it will open
    will a full screen display (seems to reopen correctly more often if left in a cool place overnight.)
    Can anyone help with one or both these issues? I want to keep the G4 going as long as I can.  BTW, I don't use it for browsing anyone, Safari installed,
    because it is now so slow. The MacBookPro handles all that for me.
    Thanks very much, James Johnson in Plattsburgh NY (where it is still cold and wintry, o f--k)

    To RCCHARLES: THANKS !!!!  I did the safe boot start, following the link you provided, then waited, and waited, and waited, and ---
    Well that is interesting. Amoung other things safe boot does:
    -- check and fixes up your file system.  The files system allows you to keep files on your harddrive.
    -- Does all video rendering in software.
    You could have a one time glitch or harddrive is slowly failing.  If you never replaced the harddrive, it is time for a new one.
    You may want to consider getting a new harddrive.  The easiest way is to get an external drive.  No disassembly of the machine is required.
    You need an external Firewire drive to boot a PowerPC Mac computer [ a few G5's will boot from USB ].
    I recommend you do a google search on any external harddrive you are looking at.
    I bought a low cost external drive enclosure. When I started having trouble with it, I did a google search and found a lot of complaints about the drive enclosure. I ended up buying a new drive enclosure. On my second go around, I decided to buy a drive enclosure with a good history of working with Macs. The chip set seems to be the key ingredient. The Oxford line of chips seems to be good. I got the Oxford 911.
    I'd give OWC a call. 1-815-338-8685.
    FireWire 800 + USB 3, + eSATA
    save a little money interface:
    FireWire 400 + USB 2.0
    This web page lists both external harddrive types. You may need to scroll to the right to see both.
    http://eshop.macsales.com/shop/firewire/1394/USB/EliteAL/eSATA_FW800_FW400_USB
         (2) FireWire 800/400 Ports (Up to 100MB/s / 50MB/s)
         (1) USB 3.0 Port (Up to 500MB/s / 60MB/s)
         (1) eSATA Port (Up to 300MB/s)
    Has a combo firewire 800/400 port.  Not sure what this is.  Looks like you will  need 400 cable.
    http://eshop.macsales.com/shop/ministack

  • When i login to my mac, it opens iTunes, Skype and AIM. I've tried deleting these from the login items, but they are not on the list.  Can anyone help?

    When i login to my mac, it opens iTunes, Skype and AIM. I've tried deleting these from the login items, but they are not on the list.  Can anyone help?

    babowa wrote:
    If you do not lock that folder immediately after deleting all the contents, it will simply populate again (Resume - a "feature" in Lion). You do that by doing a Get Info (highlight folder and press Command + I keys), unlock the lock at the bottom, enter your admin password, then check the box to lock the folder. lock the lock and you're done.
    Yes, that is correct. The alternative is to quit all applications prior to logging out. Lion will then have a chance to remove the saved states.
    babowa also wrote:
    And, for the OP:
    It has also been a regular feature of Mac OS to automatically open any window that was open at shutdown. To avoit that behavior, simply close any Finder windows and  properly quit applications by closing their window and using Command + Q (or File >Quit).
    This was true only for the Finder. Prior to Lion, no other apps would launch unless they were included in the Login Items for the account. And the OS would not restore windows for other apps.
    A very small number of apps (TextWrangler is an example) implemented this capability prior to Lion. They could restore previously opened windows. But that is an application feature, and can be controlled by the application's preferences. Lion implements it at the system level, and users have virtually no control on a per application basis.

  • Safari and other web browsers quit. Can anyone help with a crash report?

    Can anyone help point me in some direction to why Safari keeps crashing on me. Sometimes it's watching video, but sometimes it's just in the middle of reading a webpage.
    I've tried repairing permissions, deleting the cache and history, deleting the preferences (even some quicktime and flash preferences), troubleshooting duplicate fonts, ran Disk Warrior and Tech Tool. I'm up to date on everything, I think.
    Here's the crash report:
    Date/Time: 2007-01-28 17:33:29.366 -0500
    OS Version: 10.4.8 (Build 8L127)
    Report Version: 4
    Command: Safari
    Path: /Applications/Safari.app/Contents/MacOS/Safari
    Parent: WindowServer [59]
    Version: 2.0.4 (419.3)
    Build Version: 1
    Project Name: WebBrowser
    Source Version: 4190300
    PID: 328
    Thread: 0
    Exception: EXCBADACCESS (0x0001)
    Codes: KERNINVALIDADDRESS (0x0001) at 0xc00061fc
    Thread 0 Crashed:
    0 ...romedia.Flash Player.plugin 0x062b02f4 Flash_EnforceLocalSecurity + 532696
    1 <<00000000>> 0x00000000 0 + 0
    2 ...romedia.Flash Player.plugin 0x0631a6a4 Flash_EnforceLocalSecurity + 967816
    3 ...romedia.Flash Player.plugin 0x0623af74 Flash_EnforceLocalSecurity + 52568
    4 ...romedia.Flash Player.plugin 0x0630b718 Flash_EnforceLocalSecurity + 906492
    5 ...romedia.Flash Player.plugin 0x06237a6c Flash_EnforceLocalSecurity + 38992
    6 ...romedia.Flash Player.plugin 0x062300e4 Flash_EnforceLocalSecurity + 7880
    7 com.apple.WebKit 0x956b1fd4 -[WebBaseNetscapePluginView sendEvent:] + 280
    8 com.apple.WebKit 0x956b3e54 -[WebBaseNetscapePluginView sendNullEvent] + 144
    9 com.apple.Foundation 0x92961f5c __NSFireTimer + 116
    10 com.apple.CoreFoundation 0x907f0550 __CFRunLoopDoTimer + 184
    11 com.apple.CoreFoundation 0x907dcec8 __CFRunLoopRun + 1680
    12 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    13 com.apple.HIToolbox 0x93205740 RunCurrentEventLoopInMode + 264
    14 com.apple.HIToolbox 0x93204dd4 ReceiveNextEventCommon + 380
    15 com.apple.HIToolbox 0x93204c40 BlockUntilNextEventMatchingListInMode + 96
    16 com.apple.AppKit 0x936e7ae4 _DPSNextEvent + 384
    17 com.apple.AppKit 0x936e77a8 -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 116
    18 com.apple.Safari 0x00006740 0x1000 + 22336
    19 com.apple.AppKit 0x936e3cec -[NSApplication run] + 472
    20 com.apple.AppKit 0x937d487c NSApplicationMain + 452
    21 com.apple.Safari 0x0005c77c 0x1000 + 374652
    22 com.apple.Safari 0x0005c624 0x1000 + 374308
    Thread 1:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9296e164 -[NSRunLoop runMode:beforeDate:] + 172
    5 com.apple.Foundation 0x9296e09c -[NSRunLoop run] + 76
    6 com.apple.WebKit 0x9568aef0 +[WebFileDatabase _syncLoop:] + 176
    7 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    8 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 2:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9298669c +[NSURLConnection(NSURLConnectionInternal) _resourceLoadLoop:] + 264
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 3:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x929877dc +[NSURLCache _diskCacheSyncLoop:] + 152
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 4:
    0 libSystem.B.dylib 0x9001f08c select + 12
    1 com.apple.CoreFoundation 0x907ef40c __CFSocketManager + 472
    2 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 5:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.Syndication 0x9a57642c -[AsyncDB _run:] + 192
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 6:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.AppKit 0x93784708 -[NSUIHeartBeat _heartBeatThread:] + 324
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 7:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.audio.CoreAudio 0x9145663c HALRunLoop::OwnThread(void*) + 264
    5 com.apple.audio.CoreAudio 0x914563dc CAPThread::Entry(CAPThread*) + 96
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 8:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 ...romedia.Flash Player.plugin 0x064d6f3c nativeShockwaveFlashTCallFrame + 1345280
    3 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 9:
    0 libSystem.B.dylib 0x90054ae8 semaphoretimedwait_signaltrap + 8
    1 libSystem.B.dylib 0x90071168 pthreadcond_timedwait_relativenp + 556
    2 ...ple.CoreServices.CarbonCore 0x90c025bc MPWaitOnSemaphore + 184
    3 ...romedia.Flash Player.plugin 0x06344c10 Flash_EnforceLocalSecurity + 1141236
    4 ...romedia.Flash Player.plugin 0x063321b4 Flash_EnforceLocalSecurity + 1064856
    5 ...romedia.Flash Player.plugin 0x063449bc Flash_EnforceLocalSecurity + 1140640
    6 ...romedia.Flash Player.plugin 0x06344984 Flash_EnforceLocalSecurity + 1140584
    7 ...ple.CoreServices.CarbonCore 0x90bc48b0 PrivateMPEntryPoint + 76
    8 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 10:
    0 libSystem.B.dylib 0x90054ae8 semaphoretimedwait_signaltrap + 8
    1 libSystem.B.dylib 0x90071168 pthreadcond_timedwait_relativenp + 556
    2 com.apple.audio.CoreAudio 0x91467794 CAGuard::WaitFor(unsigned long long) + 204
    3 com.apple.audio.CoreAudio 0x914676a4 CAGuard::WaitUntil(unsigned long long) + 304
    4 com.apple.audio.CoreAudio 0x914658e8 HP_IOThread::WorkLoop() + 852
    5 com.apple.audio.CoreAudio 0x91465580 HPIOThread::ThreadEntry(HPIOThread*) + 16
    6 com.apple.audio.CoreAudio 0x914563dc CAPThread::Entry(CAPThread*) + 96
    7 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 0 crashed with PPC Thread State 64:
    srr0: 0x00000000062b02f4 srr1: 0x000000000200f030 vrsave: 0x00000000fff00000
    cr: 0x24022244 xer: 0x0000000000000004 lr: 0x00000000062b0470 ctr: 0x000000000623af30
    r0: 0x00000000062b0470 r1: 0x00000000bfffe200 r2: 0x0000000000000001 r3: 0x0000000006a89028
    r4: 0x00000000bfffe2a0 r5: 0x00000000ffffffff r6: 0x0000000000000000 r7: 0x0000000000000000
    r8: 0x0000000000000004 r9: 0x0000000006a9e200 r10: 0x0000000033362eff r11: 0x000000000657d294
    r12: 0x000000000623af30 r13: 0x0000000000000000 r14: 0x0000000000000001 r15: 0x0000000000000001
    r16: 0x0000000000000000 r17: 0x0000000000000000 r18: 0x00000000000037df r19: 0x0000000000000000
    r20: 0x0000000000000000 r21: 0x00000000e4e0d7c5 r22: 0x0000000000000000 r23: 0x0000000000000000
    r24: 0x00000000064fac80 r25: 0x0000000000000000 r26: 0x0000000000000002 r27: 0x0000000000000000
    r28: 0x0000000006a89028 r29: 0x00000000bfffe2a0 r30: 0x0000000006a89000 r31: 0x0000000006a89000
    Binary Images Description:
    0x1000 - 0xdcfff com.apple.Safari 2.0.4 (419.3) /Applications/Safari.app/Contents/MacOS/Safari
    0x17ca000 - 0x17ccfff com.apple.textencoding.unicode 2.0 /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
    0x4df5000 - 0x4df6fff com.apple.aoa.halplugin 2.5.6 (2.5.6b5) /System/Library/Extensions/IOAudioFamily.kext/Contents/PlugIns/AOAHALPlugin.bun dle/Contents/MacOS/AOAHALPlugin
    0x622a000 - 0x6533fff com.macromedia.Flash Player.plugin 9.0.0 (1.0.4f20) /Library/Internet Plug-Ins/Flash Player.plugin/Contents/MacOS/Flash Player
    0x766f000 - 0x7747fff com.divxnetworks.DivXCodec 5.1b /Library/QuickTime/DivX 5.component/Contents/MacOS/DivX 5
    0x908f000 - 0x90c8fff com.apple.audio.SoundManager.Components 3.9.1 /System/Library/Components/SoundManagerComponents.component/Contents/MacOS/Soun dManagerComponents
    0x9100000 - 0x913ffff com.apple.QuickTimeFireWireDV.component 7.1.3 /System/Library/QuickTime/QuickTimeFireWireDV.component/Contents/MacOS/QuickTim eFireWireDV
    0x8fe00000 - 0x8fe51fff dyld 45.3 /usr/lib/dyld
    0x90000000 - 0x901bcfff libSystem.B.dylib /usr/lib/libSystem.B.dylib
    0x90214000 - 0x90219fff libmathCommon.A.dylib /usr/lib/system/libmathCommon.A.dylib
    0x9021b000 - 0x90268fff com.apple.CoreText 1.0.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x90293000 - 0x90344fff ATS /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x90373000 - 0x9072dfff com.apple.CoreGraphics 1.258.38 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x907ba000 - 0x90893fff com.apple.CoreFoundation 6.4.6 (368.27) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x908dc000 - 0x908dcfff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x908de000 - 0x909e0fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a3a000 - 0x90abefff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90ae8000 - 0x90b5afff IOKit /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90b70000 - 0x90b82fff libauto.dylib /usr/lib/libauto.dylib
    0x90b89000 - 0x90e60fff com.apple.CoreServices.CarbonCore 681.7 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90ec6000 - 0x90f46fff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x90f90000 - 0x90fd1fff com.apple.CFNetwork 129.19 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x90fe6000 - 0x90ffefff com.apple.WebServices 1.1.2 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x9100e000 - 0x9108ffff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x910d5000 - 0x910fefff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x9110f000 - 0x9111dfff libz.1.dylib /usr/lib/libz.1.dylib
    0x91120000 - 0x912dbfff com.apple.security 4.6 (29770) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x913da000 - 0x913e3fff com.apple.DiskArbitration 2.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x913ea000 - 0x91412fff com.apple.SystemConfiguration 1.8.3 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91425000 - 0x91430fff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x91435000 - 0x9143dfff libbsm.dylib /usr/lib/libbsm.dylib
    0x91441000 - 0x914bcfff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x914f9000 - 0x914f9fff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x914fb000 - 0x91533fff com.apple.AE 1.5 (297) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x9154e000 - 0x9161bfff com.apple.ColorSync 4.4.4 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x91670000 - 0x91701fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x91748000 - 0x917fffff com.apple.QD 3.10.21 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x9183c000 - 0x9189afff com.apple.HIServices 1.5.3 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x918c9000 - 0x918eafff com.apple.LangAnalysis 1.6.1 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x918fe000 - 0x91923fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x91936000 - 0x91978fff com.apple.LaunchServices 181 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x91994000 - 0x919a8fff com.apple.speech.synthesis.framework 3.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x919b6000 - 0x919f8fff com.apple.ImageIO.framework 1.5.0 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91a0e000 - 0x91ad5fff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91b23000 - 0x91b38fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91b3d000 - 0x91b5bfff libJPEG.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91b61000 - 0x91bd0fff libJP2.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91be7000 - 0x91bebfff libGIF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91bed000 - 0x91c4cfff libRaw.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91c51000 - 0x91c8efff libTIFF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91c95000 - 0x91caefff libPng.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91cb3000 - 0x91cb6fff libRadiance.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91cb8000 - 0x91cb8fff com.apple.Accelerate 1.2.2 (Accelerate 1.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91cba000 - 0x91d9ffff com.apple.vImage 2.4 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91da7000 - 0x91dc6fff com.apple.Accelerate.vecLib 3.2.2 (vecLib 3.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x91e32000 - 0x91ea0fff libvMisc.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x91eab000 - 0x91f40fff libvDSP.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x91f5a000 - 0x924e2fff libBLAS.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92515000 - 0x92840fff libLAPACK.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x92870000 - 0x928f8fff com.apple.DesktopServices 1.3.5 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x92939000 - 0x92b64fff com.apple.Foundation 6.4.6 (567.27) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92c82000 - 0x92d60fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x92d80000 - 0x92e6efff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92e80000 - 0x92e9efff libGL.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92ea9000 - 0x92f03fff libGLU.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92f21000 - 0x92f21fff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92f23000 - 0x92f37fff com.apple.ImageCapture 3.0 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92f4f000 - 0x92f5ffff com.apple.speech.recognition.framework 3.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92f6b000 - 0x92f80fff com.apple.securityhi 2.0 (203) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x92f92000 - 0x93019fff com.apple.ink.framework 101.2 (69) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x9302d000 - 0x93038fff com.apple.help 1.0.3 (32) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x93042000 - 0x9306ffff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x93089000 - 0x93098fff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x930a4000 - 0x9310afff com.apple.htmlrendering 1.1.2 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x9313b000 - 0x9318afff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x931b8000 - 0x931d5fff com.apple.audio.SoundManager 3.9 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x931e7000 - 0x931f4fff com.apple.CommonPanels 1.2.2 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x931fd000 - 0x9350afff com.apple.HIToolbox 1.4.8 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x93659000 - 0x93665fff com.apple.opengl 1.4.7 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x9366a000 - 0x9368afff com.apple.DirectoryService.Framework 3.1 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x936dd000 - 0x936ddfff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x936df000 - 0x93d12fff com.apple.AppKit 6.4.7 (824.41) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x9409f000 - 0x9410ffff com.apple.CoreData 80 /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x94148000 - 0x9420bfff com.apple.audio.toolbox.AudioToolbox 1.4.3 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x9425d000 - 0x9425dfff com.apple.audio.units.AudioUnit 1.4 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x9425f000 - 0x94432fff com.apple.QuartzCore 1.4.9 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x94488000 - 0x944c5fff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x944cd000 - 0x9451dfff libGLImage.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x945ae000 - 0x945e6fff com.apple.vmutils 4.0.0 (85) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x94629000 - 0x94645fff com.apple.securityfoundation 2.2 (27710) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94659000 - 0x9469dfff com.apple.securityinterface 2.2 (27692) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x946c1000 - 0x946d0fff libCGATS.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x946d8000 - 0x946e5fff libCSync.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x9472b000 - 0x94744fff libRIP.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9474b000 - 0x94a1afff com.apple.QuickTime 7.1.3 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94add000 - 0x94b4efff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x94bc1000 - 0x94be3fff libmx.A.dylib /usr/lib/libmx.A.dylib
    0x94ceb000 - 0x94e1bfff com.apple.AddressBook.framework 4.0.4 (485.1) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94ead000 - 0x94ebcfff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x94ec4000 - 0x94ef1fff com.apple.LDAPFramework 1.4.1 (69.0.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x94ef8000 - 0x94f08fff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x94f0c000 - 0x94f3bfff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x94f4b000 - 0x94f68fff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x95688000 - 0x95716fff com.apple.WebKit 418.9.1 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x95772000 - 0x95808fff com.apple.JavaScriptCore 418.3 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x95845000 - 0x95b51fff com.apple.WebCore 418.21 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x95cda000 - 0x95d03fff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x96482000 - 0x96483fff libCyrillicConverter.dylib /System/Library/CoreServices/Encodings/libCyrillicConverter.dylib
    0x96485000 - 0x96486fff libGreekConverter.dylib /System/Library/CoreServices/Encodings/libGreekConverter.dylib
    0x9648b000 - 0x964a1fff libJapaneseConverter.dylib /System/Library/CoreServices/Encodings/libJapaneseConverter.dylib
    0x964a3000 - 0x964c3fff libKoreanConverter.dylib /System/Library/CoreServices/Encodings/libKoreanConverter.dylib
    0x964d1000 - 0x964dffff libSimplifiedChineseConverter.dylib /System/Library/CoreServices/Encodings/libSimplifiedChineseConverter.dylib
    0x964e4000 - 0x964e5fff libThaiConverter.dylib /System/Library/CoreServices/Encodings/libThaiConverter.dylib
    0x964e7000 - 0x964fafff libTraditionalChineseConverter.dylib /System/Library/CoreServices/Encodings/libTraditionalChineseConverter.dylib
    0x96f07000 - 0x96f26fff com.apple.vecLib 3.2.2 (vecLib 3.2.2) /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
    0x9772c000 - 0x97739fff com.apple.agl 2.5.6 (AGL-2.5.6) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x98bdf000 - 0x99596fff com.apple.QuickTimeComponents.component 7.1.3 /System/Library/QuickTime/QuickTimeComponents.component/Contents/MacOS/QuickTim eComponents
    0x9a573000 - 0x9a5a9fff com.apple.Syndication 1.0.6 (54) /System/Library/PrivateFrameworks/Syndication.framework/Versions/A/Syndication
    0x9a5c6000 - 0x9a5d8fff com.apple.SyndicationUI 1.0.6 (54) /System/Library/PrivateFrameworks/SyndicationUI.framework/Versions/A/Syndicatio nUI
    Model: PowerMac3,6, BootROM 4.4.8f2, 1 processors, PowerPC G4 (3.3), 1.25 GHz, 1.25 GB
    Graphics: ATI Radeon 9000 Pro, ATY,RV250, AGP, 64 MB
    Memory Module: DIMM0/J21, 256 MB, DDR SDRAM, PC2600U-25330
    Memory Module: DIMM1/J22, 512 MB, DDR SDRAM, PC2600U-25330
    Memory Module: DIMM2/J23, 512 MB, DDR SDRAM, PC2600U-25330
    Modem: Dash2, UCJ, V.92, 1.0F, APPLE VERSION 2.6.6
    Network Service: Built-in Ethernet, Ethernet, en0
    Parallel ATA Device: HL-DT-ST RW/DVD GCC-4480B
    Parallel ATA Device: ST380011A, 74.53 GB
    USB Device: Hub, Up to 12 Mb/sec, 500 mA
    USB Device: Hub in Apple Pro Keyboard, Mitsumi Electric, Up to 12 Mb/sec, 500 mA
    USB Device: Apple Pro Keyboard, Mitsumi Electric, Up to 12 Mb/sec, 250 mA
    USB Device: Hub, Up to 12 Mb/sec, 500 mA
    USB Device: ET-0405A-UV2.0-3, WACOM, Up to 1.5 Mb/sec, 500 mA
    Power PC G-4   Mac OS X (10.4.8)   1.25 Ghz

    Sorry, lost my mind for a minute. Here is my most recent crash report:
    Host Name: dee-holmes-power-mac-g4
    Date/Time: 2007-02-17 17:45:26.200 -0500
    OS Version: 10.4.8 (Build 8L127)
    Report Version: 4
    Command: Safari
    Path: /Applications/Safari.app/Contents/MacOS/Safari
    Parent: WindowServer [88]
    Version: 2.0.4 (419.3)
    Build Version: 1
    Project Name: WebBrowser
    Source Version: 4190300
    PID: 305
    Thread: 0
    Exception: EXCBADINSTRUCTION (0x0002)
    Code[0]: 0x00000002
    Code[1]: 0x05db3740
    Thread 0 Crashed:
    0 <<00000000>> 0x05db3740 0 + 98252608
    1 ...romedia.Flash Player.plugin 0x05e37f74 Flash_EnforceLocalSecurity + 466264
    2 ...romedia.Flash Player.plugin 0x05e482b0 Flash_EnforceLocalSecurity + 532628
    3 ...romedia.Flash Player.plugin 0x05e483f4 Flash_EnforceLocalSecurity + 532952
    4 ...romedia.Flash Player.plugin 0x05eb2850 Flash_EnforceLocalSecurity + 968244
    5 ...romedia.Flash Player.plugin 0x05eb15a8 Flash_EnforceLocalSecurity + 963468
    6 ...romedia.Flash Player.plugin 0x05eb26c8 Flash_EnforceLocalSecurity + 967852
    7 ...romedia.Flash Player.plugin 0x05dd2f74 Flash_EnforceLocalSecurity + 52568
    8 ...romedia.Flash Player.plugin 0x05ea3718 Flash_EnforceLocalSecurity + 906492
    9 ...romedia.Flash Player.plugin 0x05dcfa6c Flash_EnforceLocalSecurity + 38992
    10 ...romedia.Flash Player.plugin 0x05dc80e4 Flash_EnforceLocalSecurity + 7880
    11 com.apple.WebKit 0x956b2054 -[WebBaseNetscapePluginView sendEvent:] + 280
    12 com.apple.WebKit 0x956b3ed4 -[WebBaseNetscapePluginView sendNullEvent] + 144
    13 com.apple.Foundation 0x92961f5c __NSFireTimer + 116
    14 com.apple.CoreFoundation 0x907f0550 __CFRunLoopDoTimer + 184
    15 com.apple.CoreFoundation 0x907dcec8 __CFRunLoopRun + 1680
    16 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    17 com.apple.HIToolbox 0x93205740 RunCurrentEventLoopInMode + 264
    18 com.apple.HIToolbox 0x93204dd4 ReceiveNextEventCommon + 380
    19 com.apple.HIToolbox 0x93204c40 BlockUntilNextEventMatchingListInMode + 96
    20 com.apple.AppKit 0x936e7ae4 _DPSNextEvent + 384
    21 com.apple.AppKit 0x936e77a8 -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 116
    22 com.apple.Safari 0x00006740 0x1000 + 22336
    23 com.apple.AppKit 0x936e3cec -[NSApplication run] + 472
    24 com.apple.AppKit 0x937d487c NSApplicationMain + 452
    25 com.apple.Safari 0x0005c77c 0x1000 + 374652
    26 com.apple.Safari 0x0005c624 0x1000 + 374308
    Thread 1:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9296e164 -[NSRunLoop runMode:beforeDate:] + 172
    5 com.apple.Foundation 0x9296e09c -[NSRunLoop run] + 76
    6 com.apple.WebKit 0x9568af70 +[WebFileDatabase _syncLoop:] + 176
    7 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    8 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 2:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9298669c +[NSURLConnection(NSURLConnectionInternal) _resourceLoadLoop:] + 264
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 3:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x929877dc +[NSURLCache _diskCacheSyncLoop:] + 152
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 4:
    0 libSystem.B.dylib 0x9001f08c select + 12
    1 com.apple.CoreFoundation 0x907ef40c __CFSocketManager + 472
    2 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 5:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.Syndication 0x9a57642c -[AsyncDB _run:] + 192
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 6:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.audio.CoreAudio 0x9145563c HALRunLoop::OwnThread(void*) + 264
    5 com.apple.audio.CoreAudio 0x914553dc CAPThread::Entry(CAPThread*) + 96
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 7:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.AppKit 0x93784708 -[NSUIHeartBeat _heartBeatThread:] + 324
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 8:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 ...romedia.Flash Player.plugin 0x0606ef3c nativeShockwaveFlashTCallFrame + 1345280
    3 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 9:
    0 libSystem.B.dylib 0x90054ae8 semaphoretimedwait_signaltrap + 8
    1 libSystem.B.dylib 0x90071168 pthreadcond_timedwait_relativenp + 556
    2 ...ple.CoreServices.CarbonCore 0x90c025bc MPWaitOnSemaphore + 184
    3 ...romedia.Flash Player.plugin 0x05edcc10 Flash_EnforceLocalSecurity + 1141236
    4 ...romedia.Flash Player.plugin 0x05eca1b4 Flash_EnforceLocalSecurity + 1064856
    5 ...romedia.Flash Player.plugin 0x05edc9bc Flash_EnforceLocalSecurity + 1140640
    6 ...romedia.Flash Player.plugin 0x05edc984 Flash_EnforceLocalSecurity + 1140584
    7 ...ple.CoreServices.CarbonCore 0x90bc48b0 PrivateMPEntryPoint + 76
    8 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 10:
    0 libSystem.B.dylib 0x90054ae8 semaphoretimedwait_signaltrap + 8
    1 libSystem.B.dylib 0x90071168 pthreadcond_timedwait_relativenp + 556
    2 com.apple.audio.CoreAudio 0x91466794 CAGuard::WaitFor(unsigned long long) + 204
    3 com.apple.audio.CoreAudio 0x914666a4 CAGuard::WaitUntil(unsigned long long) + 304
    4 com.apple.audio.CoreAudio 0x914648e8 HP_IOThread::WorkLoop() + 852
    5 com.apple.audio.CoreAudio 0x91464580 HPIOThread::ThreadEntry(HPIOThread*) + 16
    6 com.apple.audio.CoreAudio 0x914553dc CAPThread::Entry(CAPThread*) + 96
    7 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 0 crashed with PPC Thread State 64:
    srr0: 0x0000000005db3740 srr1: 0x000000000208f030 vrsave: 0x00000000fff00000
    cr: 0x44022224 xer: 0x0000000020000004 lr: 0x0000000005e35684 ctr: 0x000000009012dc6c
    r0: 0x00000000063e2064 r1: 0x00000000bfffdfc0 r2: 0x0000000000000001 r3: 0x00000000063e2020
    r4: 0x00000000062ee044 r5: 0x0000000000000000 r6: 0x0000000000000000 r7: 0x0000000000000001
    r8: 0x0000000000000001 r9: 0x00000000a0001fac r10: 0x0000000000000003 r11: 0x0000000006115288
    r12: 0x000000009012dc6c r13: 0x0000000000000000 r14: 0x0000000000000001 r15: 0x0000000000000001
    r16: 0x0000000000000000 r17: 0x0000000000000000 r18: 0x0000000000013b17 r19: 0x0000000000000000
    r20: 0x0000000000000000 r21: 0x00000000df3e43eb r22: 0x0000000000000000 r23: 0x0000000000000000
    r24: 0x0000000006092c80 r25: 0x0000000000000000 r26: 0x0000000000000002 r27: 0x000000000640e030
    r28: 0x00000000062ee044 r29: 0x0000000000000000 r30: 0x0000000000000000 r31: 0x00000000063e2020
    Binary Images Description:
    0x1000 - 0xdcfff com.apple.Safari 2.0.4 (419.3) /Applications/Safari.app/Contents/MacOS/Safari
    0x5559000 - 0x555bfff com.apple.textencoding.unicode 2.0 /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
    0x5996000 - 0x5997fff com.apple.aoa.halplugin 2.5.6 (2.5.6b5) /System/Library/Extensions/IOAudioFamily.kext/Contents/PlugIns/AOAHALPlugin.bun dle/Contents/MacOS/AOAHALPlugin
    0x5dc2000 - 0x60cbfff com.macromedia.Flash Player.plugin 9.0.0 (1.0.4f20) /Library/Internet Plug-Ins/Flash Player.plugin/Contents/MacOS/Flash Player
    0x78a3000 - 0x78dcfff com.apple.audio.SoundManager.Components 3.9.1 /System/Library/Components/SoundManagerComponents.component/Contents/MacOS/Soun dManagerComponents
    0x792a000 - 0x7969fff com.apple.QuickTimeFireWireDV.component 7.1.3 /System/Library/QuickTime/QuickTimeFireWireDV.component/Contents/MacOS/QuickTim eFireWireDV
    0x8fe00000 - 0x8fe51fff dyld 45.3 /usr/lib/dyld
    0x90000000 - 0x901bcfff libSystem.B.dylib /usr/lib/libSystem.B.dylib
    0x90214000 - 0x90219fff libmathCommon.A.dylib /usr/lib/system/libmathCommon.A.dylib
    0x9021b000 - 0x90268fff com.apple.CoreText 1.0.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x90293000 - 0x90344fff ATS /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x90373000 - 0x9072dfff com.apple.CoreGraphics 1.258.38 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x907ba000 - 0x90893fff com.apple.CoreFoundation 6.4.6 (368.27) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x908dc000 - 0x908dcfff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x908de000 - 0x909e0fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a3a000 - 0x90abefff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90ae8000 - 0x90b5afff IOKit /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90b70000 - 0x90b82fff libauto.dylib /usr/lib/libauto.dylib
    0x90b89000 - 0x90e60fff com.apple.CoreServices.CarbonCore 681.7 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90ec6000 - 0x90f46fff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x90f90000 - 0x90fd1fff com.apple.CFNetwork 129.18 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x90fe6000 - 0x90ffefff com.apple.WebServices 1.1.2 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x9100e000 - 0x9108ffff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x910d5000 - 0x910fefff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x9110f000 - 0x9111dfff libz.1.dylib /usr/lib/libz.1.dylib
    0x91120000 - 0x912dbfff com.apple.security 4.5 (28992) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x913d9000 - 0x913e2fff com.apple.DiskArbitration 2.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x913e9000 - 0x91411fff com.apple.SystemConfiguration 1.8.3 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91424000 - 0x9142ffff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x91434000 - 0x9143cfff libbsm.dylib /usr/lib/libbsm.dylib
    0x91440000 - 0x914bbfff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x914f8000 - 0x914f8fff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x914fa000 - 0x91532fff com.apple.AE 1.5 (297) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x9154d000 - 0x9161afff com.apple.ColorSync 4.4.4 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x9166f000 - 0x91700fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x91747000 - 0x917fefff com.apple.QD 3.10.21 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x9183b000 - 0x91899fff com.apple.HIServices 1.5.3 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x918c8000 - 0x918e9fff com.apple.LangAnalysis 1.6.1 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x918fd000 - 0x91922fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x91935000 - 0x91977fff com.apple.LaunchServices 181 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x91993000 - 0x919a7fff com.apple.speech.synthesis.framework 3.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x919b5000 - 0x919f7fff com.apple.ImageIO.framework 1.5.0 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91a0d000 - 0x91ad5fff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91b23000 - 0x91b38fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91b3d000 - 0x91b5bfff libJPEG.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91b61000 - 0x91bd0fff libJP2.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91be7000 - 0x91bebfff libGIF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91bed000 - 0x91c4cfff libRaw.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91c51000 - 0x91c8efff libTIFF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91c95000 - 0x91caefff libPng.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91cb3000 - 0x91cb6fff libRadiance.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91cb8000 - 0x91cb8fff com.apple.Accelerate 1.2.2 (Accelerate 1.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91cba000 - 0x91d9ffff com.apple.vImage 2.4 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91da7000 - 0x91dc6fff com.apple.Accelerate.vecLib 3.2.2 (vecLib 3.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x91e32000 - 0x91ea0fff libvMisc.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x91eab000 - 0x91f40fff libvDSP.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x91f5a000 - 0x924e2fff libBLAS.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92515000 - 0x92840fff libLAPACK.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x92870000 - 0x928f8fff com.apple.DesktopServices 1.3.4 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x92939000 - 0x92b64fff com.apple.Foundation 6.4.6 (567.27) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92c82000 - 0x92d60fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x92d80000 - 0x92e6efff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92e80000 - 0x92e9efff libGL.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92ea9000 - 0x92f03fff libGLU.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92f21000 - 0x92f21fff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92f23000 - 0x92f37fff com.apple.ImageCapture 3.0 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92f4f000 - 0x92f5ffff com.apple.speech.recognition.framework 3.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92f6b000 - 0x92f80fff com.apple.securityhi 2.0 (203) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x92f92000 - 0x93019fff com.apple.ink.framework 101.2 (69) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x9302d000 - 0x93038fff com.apple.help 1.0.3 (32) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x93042000 - 0x9306ffff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x93089000 - 0x93098fff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x930a4000 - 0x9310afff com.apple.htmlrendering 1.1.2 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x9313b000 - 0x9318afff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x931b8000 - 0x931d5fff com.apple.audio.SoundManager 3.9 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x931e7000 - 0x931f4fff com.apple.CommonPanels 1.2.2 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x931fd000 - 0x9350afff com.apple.HIToolbox 1.4.8 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x93659000 - 0x93665fff com.apple.opengl 1.4.7 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x9366a000 - 0x9368afff com.apple.DirectoryService.Framework 3.1 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x936dd000 - 0x936ddfff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x936df000 - 0x93d12fff com.apple.AppKit 6.4.7 (824.41) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x9409f000 - 0x9410ffff com.apple.CoreData 80 /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x94148000 - 0x9420bfff com.apple.audio.toolbox.AudioToolbox 1.4.3 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x9425d000 - 0x9425dfff com.apple.audio.units.AudioUnit 1.4 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x9425f000 - 0x94432fff com.apple.QuartzCore 1.4.9 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x94488000 - 0x944c5fff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x944cd000 - 0x9451dfff libGLImage.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x945ae000 - 0x945e6fff com.apple.vmutils 4.0.0 (85) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x94629000 - 0x94645fff com.apple.securityfoundation 2.2 (27710) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94659000 - 0x9469dfff com.apple.securityinterface 2.2 (27692) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x946c1000 - 0x946d0fff libCGATS.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x946d8000 - 0x946e5fff libCSync.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x9472b000 - 0x94744fff libRIP.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9474b000 - 0x94a1afff com.apple.QuickTime 7.1.3 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94add000 - 0x94b4efff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x94bc1000 - 0x94be3fff libmx.A.dylib /usr/lib/libmx.A.dylib
    0x94ceb000 - 0x94e1bfff com.apple.AddressBook.framework 4.0.4 (485.1) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94ead000 - 0x94ebcfff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x94ec4000 - 0x94ef1fff com.apple.LDAPFramework 1.4.1 (69.0.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x94ef8000 - 0x94f08fff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x94f0c000 - 0x94f3bfff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x94f4b000 - 0x94f68fff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x95688000 - 0x95716fff com.apple.WebKit 418.9 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x95772000 - 0x95808fff com.apple.JavaScriptCore 418.3 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x95845000 - 0x95b51fff com.apple.WebCore 418.21 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x95cda000 - 0x95d03fff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x9772c000 - 0x97739fff com.apple.agl 2.5.6 (AGL-2.5.6) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x9a573000 - 0x9a5a9fff com.apple.Syndication 1.0.6 (54) /System/Library/PrivateFrameworks/Syndication.framework/Versions/A/Syndication
    0x9a5c6000 - 0x9a5d8fff com.apple.SyndicationUI 1.0.6 (54) /System/Library/PrivateFrameworks/SyndicationUI.framework/Versions/A/Syndicatio nUI
    Host Name: dee-holmes-power-mac-g4
    Date/Time: 2007-02-17 18:07:36.804 -0500
    OS Version: 10.4.8 (Build 8L127)
    Report Version: 4
    Command: Safari
    Path: /Applications/Safari.app/Contents/MacOS/Safari
    Parent: WindowServer [88]
    Version: 2.0.4 (419.3)
    Build Version: 1
    Project Name: WebBrowser
    Source Version: 4190300
    PID: 374
    Thread: 0
    Exception: EXCBADACCESS (0x0001)
    Codes: KERNINVALIDADDRESS (0x0001) at 0x656c3ab2
    Thread 0 Crashed:
    0 ...romedia.Flash Player.plugin 0x05ee0348 Flash_EnforceLocalSecurity + 979244
    1 <<00000000>> 0x062ef678 0 + 103741048
    2 ...romedia.Flash Player.plugin 0x05eb4bfc Flash_EnforceLocalSecurity + 801248
    3 ...romedia.Flash Player.plugin 0x05eb5dd4 Flash_EnforceLocalSecurity + 805816
    4 ...romedia.Flash Player.plugin 0x05dff948 Flash_EnforceLocalSecurity + 59180
    5 ...romedia.Flash Player.plugin 0x05e44f70 Flash_EnforceLocalSecurity + 343380
    6 ...romedia.Flash Player.plugin 0x05eaff6c Flash_EnforceLocalSecurity + 781648
    7 ...romedia.Flash Player.plugin 0x05ea0630 Flash_EnforceLocalSecurity + 717844
    8 ...romedia.Flash Player.plugin 0x05e29210 Flash_EnforceLocalSecurity + 229364
    9 ...romedia.Flash Player.plugin 0x05e30a48 Flash_EnforceLocalSecurity + 260140
    10 ...romedia.Flash Player.plugin 0x05e3046c Flash_EnforceLocalSecurity + 258640
    11 ...romedia.Flash Player.plugin 0x05e2e640 Flash_EnforceLocalSecurity + 250916
    12 ...romedia.Flash Player.plugin 0x05f3e74c Flash_EnforceLocalSecurity + 1365296
    13 ...romedia.Flash Player.plugin 0x05ed3db0 Flash_EnforceLocalSecurity + 928660
    14 ...romedia.Flash Player.plugin 0x05ed36d8 Flash_EnforceLocalSecurity + 926908
    15 ...romedia.Flash Player.plugin 0x05eb5574 Flash_EnforceLocalSecurity + 803672
    16 ...romedia.Flash Player.plugin 0x05f60508 nativeShockwaveFlashTCallFrame + 60620
    17 ...romedia.Flash Player.plugin 0x05f64d94 nativeShockwaveFlashTCallFrame + 79192
    18 ...romedia.Flash Player.plugin 0x05ed36f4 Flash_EnforceLocalSecurity + 926936
    19 ...romedia.Flash Player.plugin 0x05f616f8 nativeShockwaveFlashTCallFrame + 65212
    20 ...romedia.Flash Player.plugin 0x05ece544 Flash_EnforceLocalSecurity + 906024
    21 ...romedia.Flash Player.plugin 0x05dfaa6c Flash_EnforceLocalSecurity + 38992
    22 ...romedia.Flash Player.plugin 0x05df30e4 Flash_EnforceLocalSecurity + 7880
    23 com.apple.WebKit 0x956b2054 -[WebBaseNetscapePluginView sendEvent:] + 280
    24 com.apple.WebKit 0x956b3ed4 -[WebBaseNetscapePluginView sendNullEvent] + 144
    25 com.apple.Foundation 0x92961f5c __NSFireTimer + 116
    26 com.apple.CoreFoundation 0x907f0550 __CFRunLoopDoTimer + 184
    27 com.apple.CoreFoundation 0x907dcec8 __CFRunLoopRun + 1680
    28 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    29 com.apple.HIToolbox 0x93205740 RunCurrentEventLoopInMode + 264
    30 com.apple.HIToolbox 0x93204dd4 ReceiveNextEventCommon + 380
    31 com.apple.HIToolbox 0x93204c40 BlockUntilNextEventMatchingListInMode + 96
    32 com.apple.AppKit 0x936e7ae4 _DPSNextEvent + 384
    33 com.apple.AppKit 0x936e77a8 -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 116
    34 com.apple.Safari 0x00006740 0x1000 + 22336
    35 com.apple.AppKit 0x936e3cec -[NSApplication run] + 472
    36 com.apple.AppKit 0x937d487c NSApplicationMain + 452
    37 com.apple.Safari 0x0005c77c 0x1000 + 374652
    38 com.apple.Safari 0x0005c624 0x1000 + 374308
    Thread 1:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9296e164 -[NSRunLoop runMode:beforeDate:] + 172
    5 com.apple.Foundation 0x9296e09c -[NSRunLoop run] + 76
    6 com.apple.WebKit 0x9568af70 +[WebFileDatabase _syncLoop:] + 176
    7 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    8 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 2:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x9298669c +[NSURLConnection(NSURLConnectionInternal) _resourceLoadLoop:] + 264
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 3:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 com.apple.CoreFoundation 0x907dcb78 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dc47c CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x929877dc +[NSURLCache _diskCacheSyncLoop:] + 152
    5 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 4:
    0 libSystem.B.dylib 0x9001f08c select + 12
    1 com.apple.CoreFoundation 0x907ef40c __CFSocketManager + 472
    2 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 5:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.Syndication 0x9a57642c -[AsyncDB _run:] + 192
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 6:
    0 libSystem.B.dylib 0x9002bbc8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x900306ac pthreadcondwait + 480
    2 com.apple.Foundation 0x92966300 -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.AppKit 0x93784708 -[NSUIHeartBeat _heartBeatThread:] + 324
    4 com.apple.Foundation 0x9295f194 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 7:
    0 libSystem.B.dylib 0x9000ab48 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000aa9c mach_msg + 60
    2 ...romedia.Flash Player.plugin 0x06099f3c nativeShockwaveFlashTCallFrame + 1345280
    3 libSystem.B.dylib 0x9002b508 pthreadbody + 96
    Thread 0 crashed with PPC Thread State 64:
    srr0: 0x0000000005ee0348 srr1: 0x000000000200f030 vrsave: 0x0000000000000000
    cr: 0x44022226 xer: 0x0000000000000004 lr: 0x0000000005eb4bfc ctr: 0x0000000005e451e4
    r0: 0x0000000005eb4bfc r1: 0x00000000bfffcd60 r2: 0x00000000063792d8 r3: 0x00000000bfffcdf0
    r4: 0x00000000656c302e r5: 0x00000000063788b0 r6: 0x0000000000000000 r7: 0x0000000000000000
    r8: 0x0000000000000000 r9: 0x0000000000000000 r10: 0x00000000ff360fe7 r11: 0x00000000803310ae
    r12: 0x0000000005e451e4 r13: 0x0000000006329498 r14: 0x0000000006329398 r15: 0x0000000000000005
    r16: 0x0000000000000004 r17: 0x0000000000000000 r18: 0x00000000062ef478 r19: 0x0000000000000000
    r20: 0x0000000000000001 r21: 0x00000000063784a0 r22: 0x0000000000000000 r23: 0x0000000000000000
    r24: 0x0000000000000000 r25: 0x0000000000000007 r26: 0x00000000063788b0 r27: 0x000000000632a340
    r28: 0x000000000628d530 r29: 0x00000000bfffcdf0 r30: 0x00000000656c302e r31: 0x00000000063788b0
    Binary Images Description:
    0x1000 - 0xdcfff com.apple.Safari 2.0.4 (419.3) /Applications/Safari.app/Contents/MacOS/Safari
    0x574e000 - 0x5750fff com.apple.textencoding.unicode 2.0 /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
    0x5ded000 - 0x60f6fff com.macromedia.Flash Player.plugin 9.0.0 (1.0.4f20) /Library/Internet Plug-Ins/Flash Player.plugin/Contents/MacOS/Flash Player
    0x8fe00000 - 0x8fe51fff dyld 45.3 /usr/lib/dyld
    0x90000000 - 0x901bcfff libSystem.B.dylib /usr/lib/libSystem.B.dylib
    0x90214000 - 0x90219fff libmathCommon.A.dylib /usr/lib/system/libmathCommon.A.dylib
    0x9021b000 - 0x90268fff com.apple.CoreText 1.0.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x90293000 - 0x90344fff ATS /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x90373000 - 0x9072dfff com.apple.CoreGraphics 1.258.38 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x907ba000 - 0x90893fff com.apple.CoreFoundation 6.4.6 (368.27) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x908dc000 - 0x908dcfff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x908de000 - 0x909e0fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a3a000 - 0x90abefff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90ae8000 - 0x90b5afff IOKit /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90b70000 - 0x90b82fff libauto.dylib /usr/lib/libauto.dylib
    0x90b89000 - 0x90e60fff com.apple.CoreServices.CarbonCore 681.7 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90ec6000 - 0x90f46fff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x90f90000 - 0x90fd1fff com.apple.CFNetwork 129.18 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x90fe6000 - 0x90ffefff com.apple.WebServices 1.1.2 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x9100e000 - 0x9108ffff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x910d5000 - 0x910fefff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x9110f000 - 0x9111dfff libz.1.dylib /usr/lib/libz.1.dylib
    0x91120000 - 0x912dbfff com.apple.security 4.5 (28992) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x913d9000 - 0x913e2fff com.apple.DiskArbitration 2.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x913e9000 - 0x91411fff com.apple.SystemConfiguration 1.8.3 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91424000 - 0x9142ffff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x91434000 - 0x9143cfff libbsm.dylib /usr/lib/libbsm.dylib
    0x91440000 - 0x914bbfff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x914f8000 - 0x914f8fff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x914fa000 - 0x91532fff com.apple.AE 1.5 (297) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x9154d000 - 0x9161afff com.apple.ColorSync 4.4.4 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x9166f000 - 0x91700fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x91747000 - 0x917fefff com.apple.QD 3.10.21 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x9183b000 - 0x91899fff com.apple.HIServices 1.5.3 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x918c8000 - 0x918e9fff com.apple.LangAnalysis 1.6.1 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x918fd000 - 0x91922fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x91935000 - 0x91977fff com.apple.LaunchServices 181 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x91993000 - 0x919a7fff com.apple.speech.synthesis.framework 3.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x919b5000 - 0x919f7fff com.apple.ImageIO.framework 1.5.0 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91a0d000 - 0x91ad5fff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91b23000 - 0x91b38fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91b3d000 - 0x91b5bfff libJPEG.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91b61000 - 0x91bd0fff libJP2.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91be7000 - 0x91bebfff libGIF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91bed000 - 0x91c4cfff libRaw.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91c51000 - 0x91c8efff libTIFF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91c95000 - 0x91caefff libPng.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91cb3000 - 0x91cb6fff libRadiance.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91cb8000 - 0x91cb8fff com.apple.Accelerate 1.2.2 (Accelerate 1.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91cba000 - 0x91d9ffff com.apple.vImage 2.4 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91da7000 - 0x91dc6fff com.apple.Accelerate.vecLib 3.2.2 (vecLib 3.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x91e32000 - 0x91ea0fff libvMisc.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x91eab000 - 0x91f40fff libvDSP.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x91f5a000 - 0x924e2fff libBLAS.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92515000 - 0x92840fff libLAPACK.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x92870000 - 0x928f8fff com.apple.DesktopServices 1.3.4 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x92939000 - 0x92b64fff com.apple.Foundation 6.4.6 (567.27) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92c82000 - 0x92d60fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x92d80000 - 0x92e6efff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92e80000 - 0x92e9efff libGL.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92ea9000 - 0x92f03fff libGLU.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92f21000 - 0x92f21fff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92f23000 - 0x92f37fff com.apple.ImageCapture 3.0 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92f4f000 - 0x92f5ffff com.apple.speech.recognition.framework 3.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92f6b000 - 0x92f80fff com.apple.securityhi 2.0 (203) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x92f92000 - 0x93019fff com.apple.ink.framework 101.2 (69) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x9302d000 - 0x93038fff com.apple.help 1.0.3 (32) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x93042000 - 0x9306ffff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x93089000 - 0x93098fff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x930a4000 - 0x9310afff com.apple.htmlrendering 1.1.2 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x9313b000 - 0x9318afff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x931b8000 - 0x931d5fff com.apple.audio.SoundManager 3.9 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x931e7000 - 0x931f4fff com.apple.CommonPanels 1.2.2 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x931fd000 - 0x9350afff com.apple.HIToolbox 1.4.8 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x93659000 - 0x93665fff com.apple.opengl 1.4.7 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x9366a000 - 0x9368afff com.apple.DirectoryService.Framework 3.1 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x936dd000 - 0x936ddfff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x936df000 - 0x93d12fff com.apple.AppKit 6.4.7 (824.41) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x9409f000 - 0x9410ffff com.apple.CoreData 80 /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x94148000 - 0x9420bfff com.apple.audio.toolbox.AudioToolbox 1.4.3 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x9425d000 - 0x9425dfff com.apple.audio.units.AudioUnit 1.4 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x9425f000 - 0x94432fff com.apple.QuartzCore 1.4.9 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x94488000 - 0x944c5fff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x944cd000 - 0x9451dfff libGLImage.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x945ae000 - 0x945e6fff com.apple.vmutils 4.0.0 (85) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x94629000 - 0x94645fff com.apple.securityfoundation 2.2 (27710) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94659000 - 0x9469dfff com.apple.securityinterface 2.2 (27692) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x946c1000 - 0x946d0fff libCGATS.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x946d8000 - 0x946e5fff libCSync.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x9472b000 - 0x94744fff libRIP.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9474b000 - 0x94a1afff com.apple.QuickTime 7.1.3 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94add000 - 0x94b4efff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x94bc1000 - 0x94be3fff libmx.A.dylib /usr/lib/libmx.A.dylib
    0x94ceb000 - 0x94e1bfff com.apple.AddressBook.framework 4.0.4 (485.1) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94ead000 - 0x94ebcfff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x94ec4000 - 0x94ef1fff com.apple.LDAPFramework 1.4.1 (69.0.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x94ef8000 - 0x94f08fff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x94f0c000 - 0x94f3bfff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x94f4b000 - 0x94f68fff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x95688000 - 0x95716fff com.apple.WebKit 418.9 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x95772000 - 0x95808fff com.apple.JavaScriptCore 418.3 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x95845000 - 0x95b51fff com.apple.WebCore 418.21 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x95cda000 - 0x95d03fff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x9772c000 - 0x97739fff com.apple.agl 2.5.6 (AGL-2.5.6) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x9a573000 - 0x9a5a9fff com.apple.Syndication 1.0.6 (54) /System/Library/PrivateFrameworks/Syndication.framework/Versions/A/Syndication
    0x9a5c6000 - 0x9a5d8fff com.apple.SyndicationUI 1.0.6 (54) /System/Library/PrivateFrameworks/SyndicationUI.framework/Versions/A/Syndicatio nUI

  • When I click on any of my movie or TV shows in Itunes I immediately get an error message that says Itunes has stopped working and closes the program. I can sync the movies and shows to my phone okay but I can't watch on Itunes. Can anyone help?

    When I click on any of my movie or TV shows in Itunes I immediately get an error message that says Itunes has stopped working and closes the program. I can sync the movies and shows to my phone okay but I can't watch on Itunes. Can anyone help?

    Let's try the following user tip with that one:
    iTunes for Windows 10.7.0.21: "iTunes has stopped working" error messages when playing videos, video podcasts, movies and TV shows

  • I have just updated my PC with version11.14. I can no longer connect to my Bose 30 soundtouch via media player Can anyone help please

    I have a Bose soundtouch system .Until today I could play my iTunes music through it via air  player . .I have just uploaded the latest upgrade from iTunes and now I am unable to connect to the Bose system . Can anyone help please? I can connect via my iPad and by using the Bose app so it is not the Bose at fault

    @puebloryan, I realize this thread is a bit old, but I have encountered a similr problem and wondered if you had found a solution. I've been using home sharing from itines on my PCs for years, but two days ago, it suddenly stopped. I can share from my Macs, but not from the ONE PC library where I keep all my tunes. I tried all the usual trouble-shooting measures.
    After turning home sharing off on the PC's iTunes, turning it back on and turning some other settings off and on, my Macs and Apple TV could briefly "see" the PC library, but as soon as I try to connect -- the wheel spins for a bit and then the connection vanishes. It's as if they try and then give up.
    Since this sounds so similar to your problem, I was hoping you finally found a solution. I am also starting a new thread. Thanks!

  • My iMac 24 can no longer be paired with the keyboard; it doesn't recognise any keyboard at boot up, even the one it is paired with. Can anyone help, please?

    My iMac 24 can no longer be paired with the keyboard; it doesn't recognise any keyboard at boot up, even the one it is paired with. Can anyone help, please?
    Thank. Simon

    Brian - The batteries are fine and there has only every been one keyboard paired with it. We have tried my MacPro keyboard as well, and it will not even recognise that there is a discoverable keyboard nearby.
    Thanks, Simon

  • HT201303 An unknown error has occurred when trying to sign in , and I know I putting in the correct info, this stinks can anyone help? Because apple isn't...

    An unknown error has occurred when trying to sign in , and I know I putting in the correct info, this stinks can anyone help? Because apple isn't...

    urgh... just noticed my previous post said i have mountain lion... i meant that i have snow leopard.  no idea why i messed that up!
    anyway, i just tried reinstalling snow leopard from the usb key that came with the computer. Then, I installed software updates until it told me there were no more updates. After that, I tried the app store again, and it still is giving me the unknown error. really irked by that. may have to take it back to the apple store yet again, to see if i can figure out why the app store won't work.

  • I've installed CS6 and web Premium on a Mac running 10.9.5, and Dreamweaver,Flash and Illustrator wont launch.  All other components work normally.  In Activity monitor it says Adobe switchboard failed to respond.  Can anyone help solve this issue?

    I've installed CS6 and web Premium on a Mac running 10.9.5, and Dreamweaver,Flash and Illustrator wont launch.  All other components work normally.  In Activity monitor it says Adobe switchboard failed to respond.  Can anyone help solve this issue?

    Release: 4/25/2012
    http://support.amd.com/us/gpudownload/windows/Pages/radeonmob_win7-64.aspx

  • I had my iphone 3gs unlocked so i could use it in Oz, however although i can phone works ok, i cant get internet, but i the option of Cellular Data Network does not appear with the new sim? Can anyone help pls?

    Hi Just wondered if anyone can help with the above question? I had O2 phone unlocked and bought a local sim card, but although the calls are fine i have no option for internet etc.  I have done searches and got the info details from the sim provider to activate, but  instructions say i go to : Settings; General; Network and then Celluar Data Network, but I dont get that option ?  When i put back my O2 sim card, the option reappears?
    Can anyone help me please? Off to Australia again soon and really could do with it working properly this time.
    Thanks everyone
    Ronnie

    Hi Ronnie, was wondering what brand sim card you bought?
    Was it from Telstra, Optus, Vodafone, Virgin or Mayasim?
    I have a 4 S running iOS 5.01 is there an option in Settings - Network - Carrier? As this should be set to the supplier of the sim card. In my Settings - Network there is no option for Celluar Data Network.
    What version of the iOS are you using?
    Some prepaid sim cards may not have a lot of data, so I suggest searching the companies websites for the best deals before you come here. Telstra usually have good plans. If you take your phone to the shop you purchased the sim card from they will usually set it up for you. 
    Telstra runs on a different frequency to others and offers the best coverage in Australia.
    Just for the record I am not an employee of any mobile company.

  • Can anyone help me with Magicjack? after I purchased US number I am unable to log in on my Iphone, I keep getting an error "YOUR DEVICE IS NOT ON THIS ACCOUNT" I contacted MJ support but they are very much useless and dont know how to fix it!

    can anyone help me with Magicjack? after I purchased US number I am unable to log in on my Iphone, I keep getting an error "YOUR DEVICE IS NOT ON THIS ACCOUNT" I contacted MJ support but they are very much useless and dont know how to fix it!

    There's a whole lot to read in your post, and frankly I have not read it all.
    Having said that, this troubleshooting guide should help:
    http://support.apple.com/kb/TS1538
    In particular, pay attention to the mobile device support sections near the bottom, assuming you have already done the items above it.

Maybe you are looking for

  • Error In Report Designer

    Hi When I'm opening a view in report designer I'm getting the following error.Can anyone please help me with this.Its very urgent for me to sort this issue. <b>The report designer doesn't support the query drilldown. Key figure in static filter is no

  • Synchronous vs Asynchronous

    Hi I am getting request timed out exception when invoking an asynchronous BPEL service from a synchrnous BPEL service. Am in the learning stage and created a async bpel with a wait of only 5 seconds and invoked it using a synchronous BPEL but still a

  • Can't print to HP 1410v connected to Airport Express

    I'm having trouble printing to an HP 1410v connected to an Airport Express. I've updated the Airport Express firmware. I've updated OS X 10.5.7 with all the latest patches. I've downloaded drivers from HP and Apple. When I attempt to add the printer,

  • Oracle SQL “WITH clause” support

    It doesn't appear that JDeveloper 10.1.2 ADF BCs support using the WITH clause in an expert mode View. It says it's valid when tested, but the wizard loses all attribute references. Looking in the <view_object>.xml file, all attribute metdata has bee

  • I-photo application is gone

    I logged on to my computer today and I have no I-photo application. the icon is still present at the bottom of the screen but nothing opens. I used finder to open applications and were I-photo used to be is now a blank space. When I looked in the pic