JTree genius needed

I need some serious help with the JTree as I am very confused as to why my tree is behaving in a certain manner. Basically I have saw AbstractTreeModel.java ina thread on thsi forum which emplements TreeModel. My tree is populated by data coming into the application over a network stream.
Basically whats going on is, I am able to insert nodes and in fact change the valeu of nodes while the
parent node above the node i am inserting is collapsed.Once the node is expanded I can change the value(in this case teh color of the icon) of the node, but the new nodes being inserted in the tree do not show up.
Very confusing! I mean I see the same behavior when the parent is expanded or collapsed. But The nodes do not apear when the parent is expanded. In fact, after expanding and collapsing they no longer appear at all. What happens to my applciation when the node is expanded???
Any thoughts

Thanks for replying. I tried to do what you said. I think it would be best if i sent you some code.
Here is my model which extends yours.
public class ResourceTreeModel extends AbstractTreeModel {
Vector listeners;
public ResourceTreeModel(ResourceTypeNode r) {
if(r == null) {
throw new IllegalArgumentException("Root is null.");
setRoot(r);
/*This method adds
*the new ResourceNode to
*the tree model with
*the specified ResourceTypeNode
*as the parent.
public void nodeInserted(ResourceTypeNode parent, Object node, int index) {
//Resource type nodes
//are where we insert
//ResourceNodes
if(node instanceof ResourceTypeNode) {
parent.setChild(index, node);
else if(node instanceof ResourceNode) {  
parent.setChild(index, node);
else {
index = getIndexOfChild((Object)parent, node);
TreePath tp = new TreePath(getPathToRoot(node));
int[] ai = { index };
Object[] ac = {node};
fireTreeNodesInserted(new TreeModelEvent(this, tp, ai, ac));
public void nodeChanged(Object node) {
TreePath tp = new TreePath(getPathToRoot(node));
fireTreeNodesChanged(new TreeModelEvent(this, tp, null, null));
public Object getChild(Object parent, int index) {
if(parent instanceof ResourceTypeNode) {
return ((ResourceTypeNode)parent).getChildAt(index);
return null;
* Returns the number of children of parent.
* @param parent the parent node
* @return the child count
public int getChildCount(Object parent) {
if(parent instanceof ResourceTypeNode) {
return ((ResourceTypeNode)parent).getChildCount();
return 0;
* Returns the index of child in parent.
* @param parent the parent node
* @param child the child node
* @return the index of the child node in the parent
public int getIndexOfChild(Object parent, Object child) {
if(parent instanceof ResourceTypeNode && child instanceof ResourceTypeNode ) {
return ((ResourceTypeNode)parent).getIndex((ResourceTypeNode)child);
else if(parent instanceof ResourceTypeNode && child instanceof ResourceNode ) {
return ((ResourceTypeNode)parent).getIndex((ResourceNode)child);
else {
return -1;
public Object getParent(Object obj) {
Object parent = null;
if(obj instanceof ResourceTypeNode) {
parent = ((ResourceTypeNode)obj).getParent();
else if(obj instanceof ResourceNode) {
parent = ((ResourceNode)obj).getParent();
else {
return parent;
public boolean isLeaf(Object node) {
return (node instanceof ResourceNode);
Here is the class in which i build my tree at the start of application
/*Create the apprpriate
*ResourceTypeNodes for
*the tree. The keys from
*the C2App.resourceTypes
*TreeMap are used to create
*the JTree nodes.
*A StringTokenizer is used
*to dissect the segments
*of the resource names
*to build category nodes.
public void init() {
root = new ResourceTypeNode("Resources");
treeModel = new ResourceTreeModel(root);
//Need set of names
//for resources.
Set rTypesKeySet = C2App.resourceTypes.keySet();
Iterator iter = rTypesKeySet.iterator();
ResourceTypeNode key = null;
ResourceTypeNode category = null;
//Iterate through
//all types.
while(iter.hasNext()) {
//Full Resource
//Type Name.
String currentCategory = iter.next().toString();
//Need to determine the
//level from root this
//node should go into.
StringTokenizer stok = new StringTokenizer(currentCategory, "::");
//Levels from
//root to node
//to create.
int levelFromRoot = stok.countTokens();
//Node goes under
//root parent node.
if(currentCategory.lastIndexOf("::") == -1) {
resourceTypeNodes.put(currentCategory, new ResourceTypeNode(currentCategory));
ResourceTypeNode parent = root;
parent.add((ResourceTypeNode)resourceTypeNodes.get(currentCategory));
treeModel.nodeInserted(parent, resourceTypeNodes.get(currentCategory), parent.getChildCount());
//Node goes under
//a parent node other
//than root.
else {
resourceTypeNodes.put(currentCategory, new ResourceTypeNode(currentCategory));
String parentName = Resource.parentOf(currentCategory);
ResourceTypeNode parent = (ResourceTypeNode)resourceTypeNodes.get(parentName);
parent.add((ResourceTypeNode)resourceTypeNodes.get(currentCategory));
treeModel.nodeInserted(parent, resourceTypeNodes.get(currentCategory), parent.getChildCount());
This works fine I am able to open app and see all the resourcetype nodes wich are not leaves
the problem i am having is with the code snippet below.
//Existing resource?
if(existingResource) {
//Change value
//of node
((ResourceTreeModel)C2App.theGUI.resourceTreePanel.resourceTree.getModel()).nodeChanged(C2App.theGUI.resourceTreePanel.resourceNodes.get(resourceID));
//Is this node
//displayed in
//the ResourceInfoPanel?
if(ResourceInfoPanel.getResourceDisplayedID().equals(resourceID)) {
//Update panel.
c2app.gui.ResourceInfoPanel.updatePanel(r);
//New resource
//for tree?
else {
//Get type so
//that we can
//decide which
//parent node
//the node should
//be placed under.
String type = r.type;
//Get Parent node.
ResourceTypeNode parent = (ResourceTypeNode)C2App.theGUI.resourceTreePanel.resourceTypeNodes.get(type);
//Insert node
//into tree under
//parent.
parent.add((ResourceNode)C2App.theGUI.resourceTreePanel.resourceNodes.get(resourceID));
((ResourceTreeModel)C2App.theGUI.resourceTreePanel.resourceTree.getModel()).nodeInserted(parent, C2App.theGUI.resourceTreePanel.resourceNodes.get(resourceID), parent.getChildCount());
//Expand path
//to this node
/*Object[] tn = ((ResourceTreeModel)(C2App.theGUI.resourceTreePanel.resourceTree.getModel())).getPathToRoot(parent);
System.out.println();
for(int j = 0; j < tn.length; j++) {
System.out.println("TN: " + tn[j].toString());
System.out.println();
TreePath tp = new TreePath(tn);
System.out.println();
System.out.println("TP: " + tp.toString());
System.out.println();
C2App.theGUI.resourceTreePanel.resourceTree.expandPath(tp);*/
//((ResourceTreeModel)(C2App.theGUI.resourceTreePanel.resourceTree.getModel())).reload();
//C2App.theGUI.resourceTreePanel.expandTree();
C2App.theGUI.resourceTreePanel.resourceTree.treeDidChange();
//Update the map.
break;
basically if the node row is collapsed which i am adding to the add occurs.
but if it is expanded i do not see the new node.
Funny that the update of the node occurs if existing resource is true.
So that makes me wonder why nodeChanged works but not nodeInserted
i analyzed all the way down to fireTreeNodesInserted with println and it is being called it tells me nod eis being added
d not understand why when node is expanded cant add child to it.
Thanks again I hope you can help me
Vinny

Similar Messages

  • JTree advice needed

    Hi
    I need advice on implementing a jTree -
    I want to write a jTree that displays classic hirachial data - suppliers, categories and products etc. **But I would like to be able to display the data based on supplier or categories etc.** (Will also be editable)
    I am not sure what the best approach is - should I save the products in a flat format and then build the jtree heirachy at run time (easy to change the display order i.e by supplier or by category etc) or should I store the data in a tree format and use a treemodel to get the data ( dont know how to change the display order then !!)
    So should I build the tree myself or use the treemodel ?? If the treemodel is abetter approach how can I easily change the display hierachy ??
    I am writing an application for myself thus I dont have any constraints on how it is done.
    Any advice on how to approach this will be much apprecciated.
    tim

    Hi
    I need advice on implementing a jTree -
    I want to write a jTree that displays classic hirachial data - suppliers, categories and products etc. **But I would like to be able to display the data based on supplier or categories etc.** (Will also be editable)
    I am not sure what the best approach is - should I save the products in a flat format and then build the jtree heirachy at run time (easy to change the display order i.e by supplier or by category etc) or should I store the data in a tree format and use a treemodel to get the data ( dont know how to change the display order then !!)
    So should I build the tree myself or use the treemodel ?? If the treemodel is abetter approach how can I easily change the display hierachy ??
    I am writing an application for myself thus I dont have any constraints on how it is done.
    Any advice on how to approach this will be much apprecciated.
    tim

  • ShowStatus, how do i pass messages around? genius needed...

    I posted this earlier & offered duke dollars on it...
    either no one can help me or no one has seen this...
    so i have repeated the post (sorry).
    I think i need a resident genius on this one!
    Purpose of pgm: to teach kids the mulitplication table. A question appears in the status bar "how much is 7 x 5", kid answers, answer is checked. If answer is correct display in status bar "excellent" else answer is wrong so display "incorrect". If the answer is incorrect display the same question in the status bar.
    my problem: The teachers responses are not appearing in the status bar� how can i fix this? Compounding problem: all questions & responses MUST be displayed in the status bar. (the questions ARE appearing in the status bar).
    import java.awt.event.*;
    import java.awt.*;
    import javax.swing.*;
    import java.awt.Graphics;
    public class Ex6_31 extends JApplet implements ActionListener{
       int num1, num2;
       JLabel resultLabel;
       JTextField ans;
       String message = "";
       public void init(){
          Container c = getContentPane();
          c.setLayout( new FlowLayout());
          resultLabel = new JLabel( "my answer > " );
          c.add( resultLabel );
          ans = new JTextField( 10 );
          ans.addActionListener( this );
          c.add(ans);
          getMultiplicands();
          poseQuestion();
       }//end of init
       public void actionPerformed( ActionEvent e ){
          int response = Integer.parseInt( ans.getText() );//users response to first question
          int mark = checkAnswer(response);                //mark=1 if correct, 0 if wrong
          teacher(mark);                                   //call the teacher for her response
          while (mark == 0){                                //if the answer was wrong
             ans.setText("");                               //clear the answer textField
             poseQuestion();                                //ask the same question
             response = Integer.parseInt( ans.getText() );  //get the users answer
             mark = checkAnswer(response);                  //check the users answer
             teacher(mark);                                //call the teacher for her response
          ans.setText("");                               //clear the answer textField
          getMultiplicands();                            //create a new question
          poseQuestion();                                //pose question to user
       }//end of actionPerformed
       public void getMultiplicands(){
          num1 = 1 + (int) (Math.random() * 9 );
          num2 = 1 + (int) (Math.random() * 9 );
       }//end of getMultiplicands
       public void poseQuestion(){
          String query = "";
          query = ("how much is " +num1+ " x " +num2 + " ?");
          message = query;
          repaint();
       }//end of poseQuestion
       public void paint(Graphics g){
          super.paint(g);
          getAppletContext().showStatus(message);
       }//end of paint
       public int checkAnswer(int r){
          //r contains users response to the question
          //if they answered correctly mark = 1, incorrect mark = 0;
          if (r == (num1*num2))
             return 1;
          else
             return 0;
       }//end of checkAnswer  
       public void teacher( int m){
          //the users mark, 0 or 1, is contained in m
          String talk = "";
          if (m == 0)
             talk = ("No - that is NOT correct");
          if (m == 1)
             talk = ("excellent!!");
          message = talk;
          repaint();        //to display the teachers comments you must repaint
       }//end of teacher
    }//end of Applet

    Purpose of pgm: to teach kids the mulitplication
    table. A question appears in the status bar "how much
    is 7 x 5", kid answers, answer is checked. If answer
    is correct display in status bar "excellent" else
    answer is wrong so display "incorrect". If the answer
    is incorrect display the same question in the status
    bar.
    my problem: The teachers responses are not appearing
    in the status bar� how can i fix this? Compounding
    problem: all questions & responses MUST be displayed
    in the status bar. (the questions ARE appearing in the
    status bar).Sympton: Responses are not displayed.
    Cause: The next question is overwriting the previous response.
    Cure 1: Incorporate the previous response in the next question.
    Cure 2: Don't use the status bar.
    The browser status bar is small, hard to read, and isn't guaranteed to be visible. In IE, the status bar can be disabled in the view menu, and it is also hidden in full-screen mode. Further, it can only hold a single string, which is easily overwritten.
    To guarantee that a user can see a message, it is recommended that the message be displayed in an appropriate way in the applet. A simple solution would be to place the question in a label above the answer, and the response in a label above the question.
    For the first question, you set the text of the question label, and leave the response label blank. For each successive question, update the question and response labels as necessary.
    To position the labels correctly, take a look at the AWT tutorials, in particular the section on LayoutManagers on the sun website. GridBagLayout would work, but might be tricky to set up... a combination of GridLayout, nested Panels and FlowLayouts may be the simplest technique.
    A final note, you are using swing in your applet... most of the browsers that are connected to the internet are using Java 1.1.x, which does not include the swing classes. To reach the widest audience, you should use only AWT components - particularly for school-based situations... if your users have access to upgrade their machine setup, then requiring them to download the Java plugin is a feasible solution to allow a larger feature set.
    Regards,
    -Troy

  • Genius needs to help! problems with my video card and system

    Hey guys! I'm going to post my specs first so that you get a good idea of what I'm running on:
    MSI Neo2 LS 865PE.....MAT=Slow
    Pentium4 2.4C.....FSB=233=2.8C hyperthreading enabled ~>1.55V
    Corsair TwinX 1gig PC3700.....memory on "AUTO" in BIOS with timings at 3,4,4,8 ~> 2.7V
    Radeon 9700NP.....stock speeds ~>1.7V
    AlienX case with 2 fan400 watt power supply and 6 case fans
    Zalman Alum/Copper heatsink fan
    1:I've had this motherboard for a few months now. I upgraded my video card from a nVidia Ti4200(128meg) to a Radeon 9800 a month ago, but I couldn't get it working at 8X AGP, no matter what voltages I threw at it. I returned it for a Radeon 9700NP hoping that it would work, but it still won't.
    I'm using BIOS 1.9 and since there is no option to select your AGP speed, I could only try using ATI's drivers. Once booted into Windows, there is a slider you can move to select you AGP speed. On my machine It says that It has performed some tests and has concluded that AGP 4x is the best for my system....but my system supports AGP 8X!
    I've moved the slider over to 8x (which requires a reboot) at least 5 times with each card but the slider refuses to move past 4xAGP after the reboot.
    2: My second problem: I had an old stick of KingMax PC3200 and decided to buy 3 more sticks. Unfortunatly, the 3 I bought did not match the one I had, so I only put 2 of the new sticks I bought into my system. Immediatly, My system would crash, lock up, files were corrupt, and I got PLENTY of blue screens of death with a long message containing: 0x0000007  with all these other numbers and "0"s. I did a search online and found out I had a hardware incompatibility problem. I never got this with my old stick of ram.
    I returned the 3 sticks of Ram and replaced them with the Corsair. Put my new Radeon 9700 in, formatted my hard drive....and within 24 hours, my system locked up 3 times, rebooted itself 5 times, and gave me the same BSOD as mentioned above with the same long message.  
    I didn't change anything except for the memory and the video card. I've been wanting to overclock, (thats why i bought the faster memory   ) but I'm not sure what to do at this point.
         I have my FSB at 233 but I'm scared to go any higher because of previous system instability at stock speeds. My RAM was running on 400 and MAT=Turbo with the most relaxed timings at 3,4,4,8.
    I've given myself hours of sleepless nights formatting when my system wouldnt boot into windows; overclocking....etc. I NEED HELP. PLEASE. PLEASE. Anything could work at this point.  
         I'm trying to get more info on how to run my system at a 5:4 ratio, also.  
    If anyone has problems like me or knows what could be the problem with my system, please reply to this post, it would help me a lot. I've been trying to fix these problems for a few months now so anything is greatly appreciated.  

    Thanks a lot to you guys that responded. I brought my computer home this past holiday and I want to let you know where I stand as of now. I guess this thread is like my blog for my computer. I want to clear some things before my first post makes everyone confused.
    1- I have only 2 sticks of memory in my system: the Corsair PC3700 TwinX 512x2
    I returned the 3 KingMax I bought, and still keep my old stick just in case.
    2- I am using the 400 watt power supply that came with the case. I read some reviews of the case and I know the reviewer did not have problems with the power supply. In my BIOS, there are some voltages it is weak on. Lets say: it it should be 5.00+, my power supply will be feeding it 4.96v or something like that, but I dont know, or think, that is a major problem...
    3- My computer will refuse to boot if memory speeds are set at anything below 400. SO....if I want to use a 5:4 ratio and have to set my memory speeds to "333" in BIOS, my system refuses to boot.
    4- This morning, I did manage to overclock my FSB to 250. Specs are as follow:
    Memory Timing @3,4,4,8,4.....speed set at "AUTO".....MAT at "SLOW"
    MY 2.4C's FSB was raised to 250 = 3.0gig  
    AGP/PCI frequency: 67.xx/3x.xx (cant go any lower)
    CPU voltage: 1.5500
    Memory voltage: 2.75
    Video Card voltage: 1.7
         Everything was fine for the whole day until I heard something click in my computer around midnight, and then seconds later, my computer froze and made a continuous beeeeeeeeeeeeeeeeeep. (you can imagine)
         This "click" and system crash has been plaguing me for months now. I dont know whay it happens. I was just using AIM when I heard the click and my heart stopped.
    My memory speeds have been set to "AUTO" even at the FSB of 250. But I don't know if this still means my system is at a 1:1 ratio. I know the BIOS then adjusts the memory to work at 500 if my FSB is 250...so I assume it is?    I love 3gig, but somehow I feel that 2.8 is faster, since the FSB=233 running parallel to my memory, also at 233
    A FSB of 250 is good enough for me, that's what I've been waiting 6 months for. If anyone knows how to set other ratios to achieve a FSB of 250+, please let me know, but as I said, my memory won't boot if its set at "333"

  • JTree Problem - Need help

    Hi,
    I am using a JTree to which I have set my own TreeModel and TreeSelectionListener (overidden all the methods for both). Wehn I add a new node to the tree, the node appears but the text for the node does not.
    (e.g if the text is "ABCD", what appears is "AB..."). I called a tree.repaint(). It does not solve my problem.
    A tree.updateUI() does solve my problem, but it throws a NullPointerException on every selection in the tree. I am trying to refresh the tree in the selSelection() method of the selection model.
    Is there any other way?
    Thanks in advance,
    Achyuth

    Try adding this when you add a node. Don't have time to check it so not quite sure its what you're looking for but I remember having this prob before and I think this is what I did:
    EventListener[] listeners = ((DefaultTreeModel)tree.getModel()).getListeners(TreeModelListener.class);
    for (int i = 0; i < listeners.length; i++) {
              ((TreeModelListener)listeners).treeNodesChanged(new TreeModelEvent(this, new TreePath(node.getPath())));
    Alex

  • Genius Needed!! re; EXC_BAD_ACCESS /KERN_PROTECTION_FAILURE  - Any Clues?

    Hi All ---
    Anyone here good with Kernel 'Protection' Crashes --- ?? its started happening regularly now, and is becoming a bore....
    Exception: EXCBADACCESS (0x0001)
    Codes: KERNPROTECTIONFAILURE (0x0002) at 0x00000016 (See Below for Full Crash Report)
    -- This isnt a total system crash, its just crashing Safari so far. Seems to happen on a simple 'back button / previous page' request in Safari.
    -- have done memtest on the RAM 1Gig & 512 mb - read OK. Have trashed Safari prefs, run hardware test, repaired permissions, fsck-fy - all tip top. ..but still happening. Have heard it could be font reated or installation related -- any clues?
    Thnx for any help in adv.
    J.
    ==================
    Date/Time: 2007-10-11 19:25:06.358 +0200
    OS Version: 10.4.10 (Build 8R218)
    Report Version: 4
    Command: Safari
    Path: /Applications/Safari.app/Contents/MacOS/Safari
    Parent: WindowServer [61]
    Version: 2.0.4 (419.3)
    Build Version: 32
    Project Name: WebBrowser
    Source Version: 4190300
    PID: 375
    Thread: 0
    Exception: EXCBADACCESS (0x0001)
    Codes: KERNPROTECTIONFAILURE (0x0002) at 0x00000016
    Thread 0 Crashed:
    0 com.apple.WebCore 0x959b4e10 khtml::BackgroundLayer::BackgroundLayer[unified](khtml::BackgroundLayer const&) + 44
    1 com.apple.WebCore 0x959b4e34 khtml::BackgroundLayer::BackgroundLayer[unified](khtml::BackgroundLayer const&) + 80
    2 com.apple.WebCore 0x959b4da4 khtml::StyleBackgroundData::StyleBackgroundData[unified](khtml::StyleBackground Data const&) + 44
    3 com.apple.WebCore 0x95987430 khtml::CSSStyleSelector::applyProperty(int, DOM::CSSValueImpl*) + 21800
    4 com.apple.WebCore 0x95981ed0 khtml::CSSStyleSelector::applyDeclarations(bool, bool, int, int) + 252
    5 com.apple.WebCore 0x9597fb30 khtml::CSSStyleSelector::styleForElement(DOM::ElementImpl*, khtml::RenderStyle*, bool) + 984
    6 com.apple.WebCore 0x9597f650 DOM::NodeImpl::createRendererIfNeeded() + 104
    7 com.apple.WebCore 0x9597f5d0 DOM::ElementImpl::attach() + 24
    8 com.apple.WebCore 0x9597e668 KHTMLParser::insertNode(DOM::NodeImpl*, bool) + 2440
    9 com.apple.WebCore 0x9597c880 KHTMLParser::parseToken(khtml::Token*) + 612
    10 com.apple.WebCore 0x95979964 khtml::HTMLTokenizer::processToken() + 460
    11 com.apple.WebCore 0x9597b2a0 khtml::HTMLTokenizer::parseTag(khtml::TokenizerString&) + 6256
    12 com.apple.WebCore 0x959791ec khtml::HTMLTokenizer::write(khtml::TokenizerString const&, bool) + 928
    13 com.apple.WebCore 0x959b2da4 khtml::HTMLTokenizer::timerEvent(QTimerEvent*) + 244
    14 com.apple.WebCore 0x959b2c64 -[KWQObjectTimerTarget sendTimerEvent] + 80
    15 com.apple.Foundation 0x92be3f68 __NSFireTimer + 116
    16 com.apple.CoreFoundation 0x907f1578 __CFRunLoopDoTimer + 184
    17 com.apple.CoreFoundation 0x907ddef8 __CFRunLoopRun + 1680
    18 com.apple.CoreFoundation 0x907dd4ac CFRunLoopRunSpecific + 268
    19 com.apple.HIToolbox 0x93298b20 RunCurrentEventLoopInMode + 264
    20 com.apple.HIToolbox 0x9329812c ReceiveNextEventCommon + 244
    21 com.apple.HIToolbox 0x93298020 BlockUntilNextEventMatchingListInMode + 96
    22 com.apple.AppKit 0x9377dae4 _DPSNextEvent + 384
    23 com.apple.AppKit 0x9377d7a8 -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 116
    24 com.apple.Safari 0x00006740 0x1000 + 22336
    25 com.apple.AppKit 0x93779cec -[NSApplication run] + 472
    26 com.apple.AppKit 0x9386a87c NSApplicationMain + 452
    27 com.apple.Safari 0x0005c77c 0x1000 + 374652
    28 com.apple.Safari 0x0005c624 0x1000 + 374308
    Thread 1:
    0 libSystem.B.dylib 0x9000b348 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000b29c mach_msg + 60
    2 com.apple.CoreFoundation 0x907ddba8 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dd4ac CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x92bf0170 -[NSRunLoop runMode:beforeDate:] + 172
    5 com.apple.Foundation 0x92bf00a8 -[NSRunLoop run] + 76
    6 com.apple.WebKit 0x957963d0 +[WebFileDatabase _syncLoop:] + 176
    7 com.apple.Foundation 0x92be11a0 forkThreadForFunction + 108
    8 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 2:
    0 libSystem.B.dylib 0x9000b348 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000b29c mach_msg + 60
    2 com.apple.CoreFoundation 0x907ddba8 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dd4ac CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x92c086a8 +[NSURLConnection(NSURLConnectionInternal) _resourceLoadLoop:] + 264
    5 com.apple.Foundation 0x92be11a0 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 3:
    0 libSystem.B.dylib 0x9000b348 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000b29c mach_msg + 60
    2 com.apple.CoreFoundation 0x907ddba8 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dd4ac CFRunLoopRunSpecific + 268
    4 com.apple.Foundation 0x92c097e8 +[NSURLCache _diskCacheSyncLoop:] + 152
    5 com.apple.Foundation 0x92be11a0 forkThreadForFunction + 108
    6 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 4:
    0 libSystem.B.dylib 0x9002c3c8 semaphorewait_signaltrap + 8
    1 libSystem.B.dylib 0x90030eac pthreadcondwait + 480
    2 com.apple.Foundation 0x92be830c -[NSConditionLock lockWhenCondition:] + 68
    3 com.apple.Syndication 0x9a8e342c -[AsyncDB _run:] + 192
    4 com.apple.Foundation 0x92be11a0 forkThreadForFunction + 108
    5 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 5:
    0 libSystem.B.dylib 0x9001f88c select + 12
    1 com.apple.CoreFoundation 0x907f0434 __CFSocketManager + 472
    2 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 6:
    0 libSystem.B.dylib 0x9000b348 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000b29c mach_msg + 60
    2 com.apple.CoreFoundation 0x907ddba8 __CFRunLoopRun + 832
    3 com.apple.CoreFoundation 0x907dd4ac CFRunLoopRunSpecific + 268
    4 com.apple.audio.CoreAudio 0x9145863c HALRunLoop::OwnThread(void*) + 264
    5 com.apple.audio.CoreAudio 0x914583dc CAPThread::Entry(CAPThread*) + 96
    6 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 7:
    0 libSystem.B.dylib 0x9000b348 machmsgtrap + 8
    1 libSystem.B.dylib 0x9000b29c mach_msg + 60
    2 ...romedia.Flash Player.plugin 0x074ea688 nativeShockwaveFlashTCallFrame + 1368296
    3 libSystem.B.dylib 0x9002bd08 pthreadbody + 96
    Thread 0 crashed with PPC Thread State 64:
    srr0: 0x00000000959b4e10 srr1: 0x000000000200f030 vrsave: 0x0000000000000000
    cr: 0x24024424 xer: 0x0000000000000004 lr: 0x00000000959b4e34 ctr: 0x0000000090003f28
    r0: 0x0000000000000000 r1: 0x00000000bfffdd40 r2: 0x00000000a59e77a0 r3: 0x000000000698c1e8
    r4: 0x0000000000000006 r5: 0x0000000006a25538 r6: 0x0000000000000005 r7: 0x0000000000000008
    r8: 0x0000000006e02618 r9: 0x0000000000000000 r10: 0x0000000006e00614 r11: 0x0000000044024424
    r12: 0x0000000090003938 r13: 0x0000000000000000 r14: 0x0000000000000001 r15: 0x0000000000000000
    r16: 0x0000000000000000 r17: 0x0000000000000001 r18: 0x0000000000000000 r19: 0x0000000000000000
    r20: 0x0000000000000000 r21: 0x0000000000000000 r22: 0x000000000000005a r23: 0x0000000000000000
    r24: 0x00000000069b16b8 r25: 0x0000000000000000 r26: 0x00000000bfffdea0 r27: 0x000000000698c1e8
    r28: 0x0000000000000000 r29: 0x0000000000000006 r30: 0x000000000698c1e8 r31: 0x0000000095981f1c
    Binary Images Description:
    0x1000 - 0xdcfff com.apple.Safari 2.0.4 (419.3) /Applications/Safari.app/Contents/MacOS/Safari
    0x5842000 - 0x5843fff com.apple.aoa.halplugin 2.5.6 (2.5.6b5) /System/Library/Extensions/IOAudioFamily.kext/Contents/PlugIns/AOAHALPlugin.bun dle/Contents/MacOS/AOAHALPlugin
    0x58ed000 - 0x58effff com.apple.textencoding.unicode 2.0 /System/Library/TextEncodings/Unicode Encodings.bundle/Contents/MacOS/Unicode Encodings
    0x7234000 - 0x7548fff com.macromedia.Flash Player.plugin 9.0.28 (1.0.4f22) /Library/Internet Plug-Ins/Flash Player.plugin/Contents/MacOS/Flash Player
    0x8fd2000 - 0x900bfff com.apple.audio.SoundManager.Components 3.9.1 /System/Library/Components/SoundManagerComponents.component/Contents/MacOS/Soun dManagerComponents
    0x9011000 - 0x903bfff com.apple.iSightAudio 7.2 /Library/Audio/Plug-Ins/HAL/iSightAudio.plugin/Contents/MacOS/iSightAudio
    0x419b0000 - 0x419effff com.apple.QuickTimeFireWireDV.component 7.2 /System/Library/QuickTime/QuickTimeFireWireDV.component/Contents/MacOS/QuickTim eFireWireDV
    0x8fe00000 - 0x8fe52fff dyld 46.12 /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.3 (???) /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 - 0x9072efff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x907bb000 - 0x90894fff com.apple.CoreFoundation 6.4.7 (368.28) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x908dd000 - 0x908ddfff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x908df000 - 0x909e1fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a3b000 - 0x90abffff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90ae9000 - 0x90b5bfff com.apple.framework.IOKit 1.4 (???) /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90b71000 - 0x90b83fff libauto.dylib /usr/lib/libauto.dylib
    0x90b8a000 - 0x90e61fff com.apple.CoreServices.CarbonCore 681.15 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90ec7000 - 0x90f47fff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x90f91000 - 0x90fd3fff com.apple.CFNetwork 4.0 (129.21) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x90fe8000 - 0x91000fff com.apple.WebServices 1.1.2 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x91010000 - 0x91091fff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x910d7000 - 0x91100fff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x91111000 - 0x9111ffff libz.1.dylib /usr/lib/libz.1.dylib
    0x91122000 - 0x912ddfff com.apple.security 4.6 (29770) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x913dc000 - 0x913e5fff com.apple.DiskArbitration 2.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x913ec000 - 0x913f4fff libbsm.dylib /usr/lib/libbsm.dylib
    0x913f8000 - 0x91420fff com.apple.SystemConfiguration 1.8.3 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91433000 - 0x9143efff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x91443000 - 0x914befff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x914fb000 - 0x914fbfff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x914fd000 - 0x91535fff com.apple.AE 1.5 (297) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x91550000 - 0x91622fff com.apple.ColorSync 4.4.9 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x91675000 - 0x91706fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x9174d000 - 0x91804fff com.apple.QD 3.10.24 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x91841000 - 0x9189ffff com.apple.HIServices 1.5.3 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x918ce000 - 0x918effff com.apple.LangAnalysis 1.6.1 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x91903000 - 0x91928fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x9193b000 - 0x9197dfff com.apple.LaunchServices 182 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x91999000 - 0x919adfff com.apple.speech.synthesis.framework 3.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x919bb000 - 0x91a01fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91a18000 - 0x91adffff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91b2d000 - 0x91b42fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91b47000 - 0x91b65fff libJPEG.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91b6b000 - 0x91c22fff libJP2.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91c71000 - 0x91c75fff libGIF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91c77000 - 0x91cdffff libRaw.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91ce4000 - 0x91d21fff libTIFF.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91d28000 - 0x91d41fff libPng.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91d46000 - 0x91d49fff libRadiance.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91d4b000 - 0x91e29fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x91e49000 - 0x91e49fff com.apple.Accelerate 1.2.2 (Accelerate 1.2.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91e4b000 - 0x91f30fff com.apple.vImage 2.4 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91f38000 - 0x91f57fff 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
    0x91fc3000 - 0x92031fff libvMisc.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x9203c000 - 0x920d1fff libvDSP.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x920eb000 - 0x92673fff libBLAS.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x926a6000 - 0x929d1fff libLAPACK.dylib /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x92a01000 - 0x92aeffff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92af2000 - 0x92b7afff com.apple.DesktopServices 1.3.6 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x92bbb000 - 0x92de6fff com.apple.Foundation 6.4.8 (567.29) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92f13000 - 0x92f31fff libGL.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92f3c000 - 0x92f96fff libGLU.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92fb4000 - 0x92fb4fff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92fb6000 - 0x92fcafff com.apple.ImageCapture 3.0 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92fe2000 - 0x92ff2fff com.apple.speech.recognition.framework 3.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92ffe000 - 0x93013fff com.apple.securityhi 2.0 (203) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x93025000 - 0x930acfff com.apple.ink.framework 101.2 (69) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x930c0000 - 0x930cbfff com.apple.help 1.0.3 (32) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x930d5000 - 0x93102fff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x9311c000 - 0x9312bfff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x93137000 - 0x9319dfff com.apple.htmlrendering 1.1.2 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x931ce000 - 0x9321dfff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x9324b000 - 0x93268fff com.apple.audio.SoundManager 3.9 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x9327a000 - 0x93287fff com.apple.CommonPanels 1.2.2 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x93290000 - 0x9359efff com.apple.HIToolbox 1.4.9 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x936ee000 - 0x936fafff com.apple.opengl 1.4.7 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x936ff000 - 0x9371ffff com.apple.DirectoryService.Framework 3.3 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x93773000 - 0x93773fff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x93775000 - 0x93da8fff com.apple.AppKit 6.4.7 (824.41) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x94135000 - 0x941a7fff com.apple.CoreData 91 (92.1) /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x941e0000 - 0x942a4fff com.apple.audio.toolbox.AudioToolbox 1.4.5 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x942f6000 - 0x942f6fff com.apple.audio.units.AudioUnit 1.4 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x942f8000 - 0x944b8fff com.apple.QuartzCore 1.4.12 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x94502000 - 0x9453ffff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x94547000 - 0x94597fff libGLImage.dylib /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x945a0000 - 0x945bafff com.apple.CoreVideo 1.4.1 /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
    0x945ca000 - 0x945eafff libmx.A.dylib /usr/lib/libmx.A.dylib
    0x94678000 - 0x946b0fff com.apple.vmutils 4.0.0 (85) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x946f3000 - 0x9470ffff com.apple.securityfoundation 2.2 (27710) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94723000 - 0x94767fff com.apple.securityinterface 2.2 (27692) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x9478b000 - 0x9479afff libCGATS.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x947a2000 - 0x947affff libCSync.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x947f5000 - 0x9480efff libRIP.A.dylib /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x94815000 - 0x94b34fff com.apple.QuickTime 7.2.0 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94c18000 - 0x94c89fff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x94dfe000 - 0x94f2efff com.apple.AddressBook.framework 4.0.5 (487) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94fc0000 - 0x94fcffff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x94fd7000 - 0x95004fff com.apple.LDAPFramework 1.4.1 (69.0.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x9500b000 - 0x9501bfff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x9501f000 - 0x9504efff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x9505e000 - 0x9507bfff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x95794000 - 0x95822fff com.apple.WebKit 419.3 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x9587e000 - 0x95913fff com.apple.JavaScriptCore 418.6.1 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x95950000 - 0x95c5dfff com.apple.WebCore 418.23 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x95de6000 - 0x95e0ffff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x96612000 - 0x96628fff libJapaneseConverter.dylib /System/Library/CoreServices/Encodings/libJapaneseConverter.dylib
    0x97866000 - 0x97873fff com.apple.agl 2.5.6 (AGL-2.5.6) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x9a8e0000 - 0x9a916fff com.apple.Syndication 1.0.6 (54) /System/Library/PrivateFrameworks/Syndication.framework/Versions/A/Syndication
    0x9a933000 - 0x9a945fff com.apple.SyndicationUI 1.0.6 (54) /System/Library/PrivateFrameworks/SyndicationUI.framework/Versions/A/Syndicatio nUI

    I would keeping running the Disk Repair, off the disk, until it reports no errors at all. Sometimes it will repair a little more each time.
    I don't know anything about your Kern-Prot.... error. I know if it's directory corruption related at all, DiskWarrior could fix it.
    You already had corruption issues, so it's possible you have more then Disk Utility can handle. If you have a backup, or don't need the data, an Erase and Install would fix you right up. I feel every Mac owner should have DiskWarrior around! I use it once a month.
    Cheers! DALE 

  • Motion Genius needed

    Here is question #2 on this project. So I am working on an intro for a DVD. Here is a bare bones version of what I have to see what I'm working with.
    http://media.putfile.com/Sample2-h4h
    What I want is a snow falling affect throughout. So I've spent all morning working with the snow particle emitters and am finding it to be quite a challenge. I can't get 1 emitter to cover the entire screen as I'm zooming around because of changes in depth and rotation... or can I?
    2nd... I have also tried positioning the emitter at strategic points throughout so I have snow falling everywhere as I'm moving around but as soon as I get more than 1 emitter in there it is killing my system performance. It is literally taking like 20-30 seconds anytime I touch anything. And forget about playback. So is this the way I should be going about this?
    How would you Motion geniuses go about adding snow to this scene?

    I'd create a movie of your snow, maybe three times as long as your sequence and at least twice as wide/high. Make some changes to the parameters throughout the run of the movie. Render. Import. Break it into three pieces and set them at different z-depths.
    bogiesan

  • GENIUS NEEDED! - "incorrect parameter"

    Hi there i need some help,
    whenever i connect my ipod to my computer itunes does not recognise it and says to restore factory settings. the trouble is i have some data files on the ipod stored using the ipod as external disk drive. these files are virus free. in "my computer" i can access my ipod, when i go into it i can see all the folders that should be there and in those folders the appropriate content is is also displayed, the problem is that when i copy them to desktop i get a "cannot copy parameter incorrect" message. Other ipods can connect to this computer without a problem.
    can anyone help me with this i realy need these files, and don't want to restore factory settings or reformat the ipod before i get these files off.
    Thanks for your help,
    Ronan.
    15G ipod, model m9460ll Windows XP

    all i wanted was a suggestion to the direction to go
    to solve this problem. Was abroad with no other means
    of storage so ipod was nearby and i used that. don't
    suppose you have any clue how to solve this or heard
    of anythin similar as appossed to dishin out abuse??
    While he wasn't exactly saying it in the nicest way, he's correct. There may not be a solution to your problem. The iPod is simply not a safe place to store files, and it is most likely not possible to copy those files back off the iPod in its current state.
    Sorry, but them's the facts. Next time you're abroad and need to copy some files, spend the Euros and buy a cheap USB memory stick. The iPod is a device with moving parts, flash memory is not. Flash memory is far less prone to problems. The Nano and shuffle, BTW, use flash memory and are not subject to this same sort of thing.

  • Adding nodes to JTree (algorithm needed)...

    Hi,
    I hope someone can give me a solution or at least a hint on how to solve the following problem:
    I've a JTree with a DefaultMutableTreeNode as the root node. Now I'll have to add nodes dynamically in a specified order. The numbers in brackets are node ids. Here's an example:
    [73691178][73691179]
    [73691178][73691179][73359970]
    [73691178][73691179][73359970][1762]
    [73691178][73691179][73359970][3092]
    [73691178][73691179][73359970][1396]
    [73691178][73691179][73359970][2301]
    [73691178][73691180]
    [73691178][73691180][73359972]
    [73691178][73691180][73359972][1762]
    [73691178][73691180][73359972][3092]
    [73691178][61262304]
    ...The first part specifies the root node (73691178) of my JTree, the next part specifies the node directly below the root node etc. - now I'll have to collect these values and build up my tree accordingly.
            private void buildUpTreeNodes(DefaultMutableTreeNode root) {
              if (root != null) {
                   List childTreeNodes = new NamedQueriesDAOHibernate().fetchChildTreeNodes(_rootNodeId, _mcId);
                   for (Iterator treeNodesIter = childTreeNodes.iterator(); treeNodesIter.hasNext();) {
                        NodeBean bean = (NodeBean) treeNodesIter.next();
                        DefaultMutableTreeNode newNode = new DefaultMutableTreeNode(bean);
                        List nodeIds = SwingUtil.extractNodeIdsFromNpath(bean.getNPathChild());
                        for (Iterator nodeIdsIter = nodeIds.iterator(); nodeIdsIter.hasNext();) {
                             Long nodeId = (Long) nodeIdsIter.next();
                             if (!_rootNodeId.equals(nodeId)) {
                                  // not sure, what to do...
                        root.add(newNode);
    childTreeNodes is a list with beans which contain the path information ([73691178][73691180], see above) among other things. The posting above adds every node to the root node which is not correct (the root node has to be changed according to the path information). Perhaps recursion is the only way to solve the problem but I'm not quite sure...
    Can anyone show some kind of algorithm on how to build up my tree in correct order?
    Thanks a lot and best regards
    - Stephan

    assuming you want to read in the ids from a text file (in the format shown),
    perhaps something like this might do
    import java.awt.*;
    import java.io.*;
    import javax.swing.*;
    import javax.swing.tree.*;
    class Testing
      java.util.Map<String,DefaultMutableTreeNode> nodes = new java.util.HashMap<String,DefaultMutableTreeNode>();
      JTree tree;
      public void buildGUI()
        String rootNode = "73691178";
        nodes.put(rootNode,new DefaultMutableTreeNode(rootNode));
        tree = new JTree(nodes.get(rootNode));
        loadTree();
        tree.expandRow(0);
        JFrame f = new JFrame();
        f.getContentPane().add(new JScrollPane(tree));
        f.setSize(200,200);
        f.setLocationRelativeTo(null);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setVisible(true);
      public void loadTree()
        try
          BufferedReader br = new BufferedReader(new FileReader("NodeIDs.txt"));
          String line = "";
          while ((line = br.readLine()) != null)
            String[] ids = line.replaceAll("\\[","").split("\\]");
            String newID = ids[ids.length-1];
            String parentID = ids[ids.length-2];
            nodes.put(newID,new DefaultMutableTreeNode(newID));
            nodes.get(parentID).add(nodes.get(newID));
          br.close();
        catch(IOException ioe){ioe.printStackTrace();}
      public static void main(String[] args)
        SwingUtilities.invokeLater(new Runnable(){
          public void run(){
            new Testing().buildGUI();
    }

  • Quick - Adobe Genius Needed: Footage and stills are black when double clicked - audio but no image ? What the ... ?

    I am doing the training video as this is the first time i have used premiere pro cc or any version of it at all.  I have downloaded the footage and stills as shown in the video but when i go to double click the beach footage it comes up as black - i can hear the waves but the video isn't playing. Same with the stills, they do not show up when double clicked either, they are just black. Dont know what to do.  Your help would be greatly appreciated.
    Cheers

    Without a screen shot, it's hard to know why the footage/stills are black. Double-clicking the asset opens it in the Source monitor, as opposed to the Project monitor, which could be black if the playhead is not set to a portion of the timeline that shows a movie clip or still. Perhaps your Source monitor is closed or hidden for some reason. After double-clicking the asset, select Window > Source Monitor in the main menu. You should be able to select the specific asset (e.g., Shot_01.mp4) and then see it on the screen. Make sure you also select Window > Workspace > Editing so that your panel layout shows the various panels properly.
    HTH,
    Stefan

  • Audio "genius" needed!!!

    hey there everyone...hoping someone could help out in the recording dept. of GB.
    here's my set up so you know where i'm coming from:
    Crown amp connected to a pair of monitors.
    the amp is also connected to my Tascam mixer through the "monitor output"
    when i got my mac mini i ran a cable from the "line output' on the Tascam to the "audio in" on the mac which allows me to record in GB. no problems so far
    to listen to what i just recorded, i ran a cable from the "2TR input" on the Tascam to the "audio out" on the mac mini. so far, no problems either.
    i have my microKorg connected to one of the "line inputs" on the Tascam and when i record i can hear myself through the monitors. still good so far
    HOWEVER, when i connect a mic to the Tascam for vocals and record, i want to be able to hear my first track (the Korg) through my headphones ONLY and not through the monitors (avoiding bleed through)
    i can't figure out how to mute the first track on the monitors, but keep it in my headphones so i can along with it.
    i would appreciate any advice you guys/gals might have to offer.
    thank you---david

    Can't really answer correctly since I do not know what kind of Tascam mixer you are using. You can usually find a bus that you can use to separate what your monitors output vs what you headphones output. But if you do not have such bus configurations (such as a monitor channel), then the above simple workarounds are best.

  • Genius Needed! System Freezing regularly aft. Logic 8 install-Help Please!

    Hi All --
    Not sure if anyone can help --- my P.B. has been crashing/freezing and acting strangely since installing the new Logic 8. I think its something system related though -- I'm trying to troubleshoot this myself, but wondered if anyone may have any tips?! (I have included the last few console crash logs below)
    1. seems there's a Logic 8 / internet thing going on - possibly to crosscheck serial numbers, etc...
    2. my logic board was just replaced at an apple service centre. could the new (non) i.d. status be affecting
    some kind of server link? (lots of .local, localhost kernel, network & host name text coming up)
    +(i.e. "...Nov 9 17:06:29 my-name-powerbook-g4-15 mDNSResponder: Advertising my-name PowerBook G4 15". IP XX.XXX.XXX.XX+
    +Nov 9 17:06:31 my-name-powerbook-g4-15 configd[70]: target=enable-network: disabled+
    +Nov 9 17:06:35 my-name-powerbook-g4-15 loginwindow[100]: Login Window Started Security Agent+
    +Nov 9 17:06:38 my-name-powerbook-g4-15 mDNSResponder: ERROR: Only name server claiming responsibility for "my-name PowerBook G4 15"." is "."!+
    +Nov 9 17:06:38 my-name-powerbook-g4-15 mDNSResponder: HostnameCallback: Error -65538 for registration of my-name PowerBook G4 15". IP XX.XXX.XXX.XX...")+
    3. Dashboard widgets are also taking awhile to load.
    4. I have trashed login prefs and other related items from User and System libraries.
    5. I have run & re-run Diskwarrior and Disk Utilites / Repaired Prefs / Repaired Disk, etc....
    Below is the console System crash report (" ==== " indicate crashes);
    Nov 9 16:59:40 my-name-powerbook-g4-15 cp: error processing extended attributes: Operation not permitted
    Nov 9 16:59:40 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:15 my-name-powerbook-g4-15 cp: error processing extended attributes: Operation not permitted
    Nov 9 17:02:15 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:15 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:16 my-name-powerbook-g4-15 cp: error processing extended attributes: Operation not permitted
    Nov 9 17:02:22 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:23 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:24 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:26 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:27 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:47 my-name-powerbook-g4-15 authexec: executing /System/Library/ScriptingAdditions/StandardAdditions.osax/Contents/MacOS/uid
    Nov 9 17:02:52 my-name-powerbook-g4-15 shutdown: halt by (user name):
    Nov 9 17:02:53 my-name-powerbook-g4-15 SystemStarter[732]: authentication service (745) did not complete successfully
    =============================================
    Nov 9 17:06:00 localhost kernel[0]: standard timeslicing quantum is 10000 us
    Nov 9 17:05:55 localhost mDNSResponder-108.6 (Jul 19 2007 10: 40:20)[65]: starting
    Nov 9 17:06:00 localhost kernel[0]: vmpagebootstrap: 379484 free pages
    Nov 9 17:05:55 localhost memberd[73]: memberd starting up
    Nov 9 17:06:00 localhost kernel[0]: migtable_maxdispl = 70
    Nov 9 17:05:59 localhost lookupd[77]: lookupd (version 369.5) starting - Fri Nov 9 17:05:59 2007
    Nov 9 17:06:00 localhost kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    Nov 9 17:06:00 localhost kernel[0]: The Regents of the University of California. All rights reserved.
    Nov 9 17:06:00 localhost kernel[0]: using 3932 buffer headers and 3932 cluster IO buffer headers
    Nov 9 17:06:00 localhost kernel[0]: Extension "com.apple.driver.KeyLargoATA" has no kernel dependency.
    Nov 9 17:06:00 localhost kernel[0]: IOPCCard info: Intel PCIC probe: TI 1510 rev 00
    Nov 9 17:06:00 localhost kernel[0]: FireWire (OHCI) Apple ID 31 built-in now active, GUID 000a95ff fed7e598; max speed s800.
    Nov 9 17:06:00 localhost kernel[0]: IOBluetoothHCIController::start Idle Timer Stopped
    Nov 9 17:06:00 localhost kernel[0]: ADB present:8c
    Nov 9 17:06:00 localhost kernel[0]: Security auditing service present
    Nov 9 17:06:00 localhost kernel[0]: BSM auditing present
    Nov 9 17:06:00 localhost kernel[0]: disabled
    Nov 9 17:06:00 localhost kernel[0]: rooting via boot-uuid from /chosen: 6D9377C8-0E57-3977-986A-6E53838D1F82
    Nov 9 17:06:00 localhost kernel[0]: Waiting on <dict ID="0"><key>IOProviderClass</key><string ID="1">IOResources</string><key>IOResourceMatch</key><string ID="2">boot-uuid-media</string></dict>
    Nov 9 17:06:00 localhost kernel[0]: Got boot device = IOService:/MacRISC2PE/pci@f4000000/AppleMacRiscPCI/ata-6@D/AppleKauaiATA/ATADev iceNub@0/IOATABlockStorageDriver/IOATABlockStorageDevice/IOBlockStorageDriver/FU JITSU MHT2080AT Media/IOApplePartitionScheme/AppleHFS_Untitled1@3
    Nov 9 17:06:00 localhost kernel[0]: BSD root: disk0s3, major 14, minor 2
    Nov 9 17:06:00 localhost kernel[0]: Jettisoning kernel linker.
    Nov 9 17:06:00 localhost kernel[0]: Resetting IOCatalogue.
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 0
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 3
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 3
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 3
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 3
    Nov 9 17:06:00 localhost kernel[0]: Matching service count = 5
    Nov 9 17:06:00 localhost kernel[0]: IPv6 packet filtering initialized, default to accept, logging disabled
    Nov 9 17:06:02 localhost diskarbitrationd[72]: disk0s3 hfs 6D9377C8-0E57-3977-986A-6E53838D1F82 Macintosh HD /
    Nov 9 17:06:03 localhost DirectoryService[82]: Launched version 2.1 (v353.6)
    Nov 9 17:06:06 localhost kernel[0]: UniNEnet: Ethernet address 00:0a:95:d7:e5:98
    Nov 9 17:06:06 localhost kernel[0]: AirPortPCI_MM: Ethernet address 00:0a:95:f7:27:87
    Nov 9 17:06:06 localhost mDNSResponder: Couldn't read user-specified Computer Name; using default “Macintosh-000A95D7E598” instead
    Nov 9 17:06:06 localhost mDNSResponder: Couldn't read user-specified local hostname; using default “Macintosh-000A95D7E598.local” instead
    Nov 9 17:06:06 localhost lookupd[95]: lookupd (version 369.5) starting - Fri Nov 9 17:06:06 2007
    Nov 9 17:06:07 localhost mDNSResponder: Adding browse domain local.
    Nov 9 17:06:08 localhost configd[70]: WirelessConfigure: 88001003
    Nov 9 17:06:08 localhost configd[70]: initCardWithStoredPrefs failed.
    Nov 9 17:06:08 localhost configd[70]: WirelessConfigure: 88001003
    Nov 9 17:06:11 localhost kernel[0]: Registering For 802.11 Events
    Nov 9 17:06:11 localhost kernel[0]: [HCIController][setupHardware] AFH Not Supported (0x35dd620)
    Nov 9 17:06:12 localhost kernel[0]: ATY,Jasper_A: vram [b8000000:04000000]
    Nov 9 17:06:13 localhost kernel[0]: ATY,Jasper_B: vram [b8000000:04000000]
    Nov 9 17:06:16 my-name-powerbook-g4-15 configd[70]: setting hostname to "my-name-powerbook-g4-15.local"
    Nov 9 17:06:18 my-name-powerbook-g4-15 /System/Library/CoreServices/loginwindow.app/Contents/MacOS/loginwindow: Login Window Application Started
    Nov 9 17:06:20 my-name-powerbook-g4-15 kernel[0]: AirPort: Link Active: "network name" - 0007cb55f078 - chan 11
    Nov 9 17:06:20 my-name-powerbook-g4-15 configd[70]: AppleTalk startup
    Nov 9 17:06:26 my-name-powerbook-g4-15 launchd: Server 350b in bootstrap 1103 uid 0: "/usr/sbin/lookupd"[95]: exited abnormally: Hangup
    Nov 9 17:06:26 my-name-powerbook-g4-15 configd[70]: executing /System/Library/SystemConfiguration/Kicker.bundle/Contents/Resources/enable-net work
    Nov 9 17:06:26 my-name-powerbook-g4-15 configd[70]: posting notification com.apple.system.config.network_change
    Nov 9 17:06:26 my-name-powerbook-g4-15 lookupd[156]: lookupd (version 369.5) starting - Fri Nov 9 17:06:26 2007
    Nov 9 17:06:26 my-name-powerbook-g4-15 ntpdate[168]: getnetnum: "time.euro.apple.com" invalid host number, line ignored
    Nov 9 17:06:27 my-name-powerbook-g4-15 kernel[0]: in_delmulti - ignorning invalid inm (0x656e0048)
    Nov 9 17:06:27 my-name-powerbook-g4-15 ntpdate[168]: no servers can be used, exiting
    Nov 9 17:06:27 my-name-powerbook-g4-15 launchd: Server 3513 in bootstrap 1103 uid 0: "/usr/sbin/lookupd"[156]: exited abnormally: Hangup
    Nov 9 17:06:27 my-name-powerbook-g4-15 configd[70]: AppleTalk startup complete
    Nov 9 17:06:27 my-name-powerbook-g4-15 configd[70]: posting notification com.apple.system.config.network_change
    Nov 9 17:06:27 my-name-powerbook-g4-15 lookupd[170]: lookupd (version 369.5) starting - Fri Nov 9 17:06:27 2007
    Nov 9 17:06:27 my-name-powerbook-g4-15 configd[70]: setting hostname to "lns-bzn-2XX-XX-XXX-XXX-XX.adsl.proxad.net"
    Nov 9 17:06:29 my-name-powerbook-g4-15 mDNSResponder: Advertising my-name PowerBook G4 15". IP XX.XXX.XXX.XX
    Nov 9 17:06:31 my-name-powerbook-g4-15 configd[70]: target=enable-network: disabled
    Nov 9 17:06:35 my-name-powerbook-g4-15 loginwindow[100]: Login Window Started Security Agent
    Nov 9 17:06:38 my-name-powerbook-g4-15 mDNSResponder: ERROR: Only name server claiming responsibility for "my-name PowerBook G4 15"." is "."!
    Nov 9 17:06:38 my-name-powerbook-g4-15 mDNSResponder: HostnameCallback: Error -65538 for registration of my-name PowerBook G4 15". IP XX.XXX.XXX.XX
    =========================================
    Nov 9 17:39:38 my-name-powerbook-g4-15 kernel[0]: AirPort: Link DOWN (Client disAssoc 0)
    Nov 9 17:39:38 my-name-powerbook-g4-15 configd[70]: AppleTalk shutdown
    Nov 9 17:39:39 my-name-powerbook-g4-15 configd[70]: AppleTalk shutdown complete
    Nov 9 17:39:39 my-name-powerbook-g4-15 launchd: Server 0 in bootstrap 1103 uid 0: "/usr/sbin/lookupd"[170]: exited abnormally: Hangup
    Nov 9 17:39:39 my-name-powerbook-g4-15 configd[70]: posting notification com.apple.system.config.network_change
    Nov 9 17:39:39 my-name-powerbook-g4-15 configd[70]: setting hostname to "my-name-powerbook-g4-15.local"
    Nov 9 17:39:49 my-name-powerbook-g4-15 lookupd[333]: lookupd (version 369.5) starting - Fri Nov 9 17:39:49 2007
    Nov 9 17:48:23 localhost kernel[0]: standard timeslicing quantum is 10000 us
    Nov 9 17:48:17 localhost mDNSResponder-108.6 (Jul 19 2007 10: 40:20)[33]: starting
    Nov 9 17:48:23 localhost kernel[0]: vmpagebootstrap: 382045 free pages
    Nov 9 17:48:17 localhost memberd[41]: memberd starting up
    Nov 9 17:48:23 localhost kernel[0]: migtable_maxdispl = 70
    Nov 9 17:48:23 localhost kernel[0]: 91 prelinked modules
    Nov 9 17:48:23 localhost lookupd[45]: lookupd (version 369.5) starting - Fri Nov 9 17:48:23 2007
    Nov 9 17:48:23 localhost kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    Nov 9 17:48:23 localhost kernel[0]: The Regents of the University of California. All rights reserved.
    Nov 9 17:48:23 localhost kernel[0]: using 3932 buffer headers and 3932 cluster IO buffer headers
    Nov 9 17:48:23 localhost kernel[0]: IOPCCard info: Intel PCIC probe: TI 1510 rev 00
    Nov 9 17:48:23 localhost kernel[0]: USB caused wake event (EHCI)
    Nov 9 17:48:23 localhost kernel[0]: FireWire (OHCI) Apple ID 31 built-in now active, GUID 000a95ff fed7e598; max speed s800.
    Nov 9 17:48:23 localhost kernel[0]: ADB present:8c
    Nov 9 17:48:23 localhost kernel[0]: IOBluetoothHCIController::start Idle Timer Stopped
    Nov 9 17:48:23 localhost kernel[0]: Security auditing service present
    Nov 9 17:48:23 localhost kernel[0]: BSM auditing present
    Nov 9 17:48:23 localhost kernel[0]: disabled
    Nov 9 17:48:23 localhost kernel[0]: rooting via boot-uuid from /chosen: 6D9377C8-0E57-3977-986A-6E53838D1F82
    Nov 9 17:48:23 localhost kernel[0]: Waiting on <dict ID="0"><key>IOProviderClass</key><string ID="1">IOResources</string><key>IOResourceMatch</key><string ID="2">boot-uuid-media</string></dict>
    Nov 9 17:48:23 localhost kernel[0]: Got boot device = IOService:/MacRISC2PE/pci@f4000000/AppleMacRiscPCI/ata-6@D/AppleKauaiATA/ATADev iceNub@0/IOATABlockStorageDriver/IOATABlockStorageDevice/IOBlockStorageDriver/FU JITSU MHT2080AT Media/IOApplePartitionScheme/AppleHFS_Untitled1@3
    Nov 9 17:48:23 localhost kernel[0]: BSD root: disk0s3, major 14, minor 2
    Nov 9 17:48:23 localhost kernel[0]: jnl: replay_journal: from: 6236160 to: 4309504 (joffset 0x1002000)
    Nov 9 17:48:23 localhost kernel[0]: Jettisoning kernel linker.
    Nov 9 17:48:23 localhost kernel[0]: Resetting IOCatalogue.
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 0
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 3
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 3
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 3
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 3
    Nov 9 17:48:23 localhost kernel[0]: Matching service count = 3
    Nov 9 17:48:23 localhost kernel[0]: IPv6 packet filtering initialized, default to accept, logging disabled
    Nov 9 17:48:24 localhost kernel[0]: UniNEnet: Ethernet address 00:0a:95:d7:e5:98
    Nov 9 17:48:24 localhost kernel[0]: AirPortPCI_MM: Ethernet address 00:0a:95:f7:27:87
    Nov 9 17:48:24 localhost launchd: Server 410b in bootstrap 1103 uid 0: "/usr/sbin/lookupd"[45]: exited abnormally: Hangup
    Nov 9 17:48:24 localhost diskarbitrationd[40]: disk0s3 hfs 6D9377C8-0E57-3977-986A-6E53838D1F82 Macintosh HD /
    Nov 9 17:48:24 localhost DirectoryService[49]: Launched version 2.1 (v353.6)
    Nov 9 17:48:25 localhost lookupd[60]: lookupd (version 369.5) starting - Fri Nov 9 17:48:25 2007
    Nov 9 17:48:27 localhost kernel[0]: Registering For 802.11 Events
    Nov 9 17:48:27 localhost kernel[0]: [HCIController][setupHardware] AFH Not Supported (0x24b84d0)
    Nov 9 17:48:27 localhost mDNSResponder: Adding browse domain local.
    Nov 9 17:48:28 localhost kernel[0]: ATY,Jasper_A: vram [b8000000:04000000]
    Nov 9 17:48:29 localhost kernel[0]: ATY,Jasper_B: vram [b8000000:04000000]
    Nov 9 17:48:29 localhost /System/Library/CoreServices/loginwindow.app/Contents/MacOS/loginwindow: Login Window Application Started
    Nov 9 17:48:31 localhost loginwindow[67]: Login Window Started Security Agent
    Nov 9 17:48:32 my-name-powerbook-g4-15 configd[38]: setting hostname to "my-name-powerbook-g4-15.local"
    ==================================
    Nov 9 18:08:11 localhost kernel[0]: standard timeslicing quantum is 10000 us
    Nov 9 18:08:10 localhost mDNSResponder-108.6 (Jul 19 2007 10: 40:20)[43]: starting
    Nov 9 18:08:11 localhost kernel[0]: vmpagebootstrap: 382045 free pages
    Nov 9 18:08:10 localhost memberd[51]: memberd starting up
    Nov 9 18:08:11 localhost kernel[0]: migtable_maxdispl = 70
    Nov 9 18:08:11 localhost lookupd[53]: lookupd (version 369.5) starting - Fri Nov 9 18:08:11 2007
    Nov 9 18:08:11 localhost kernel[0]: 91 prelinked modules
    Nov 9 18:08:11 localhost DirectoryService[62]: Launched version 2.1 (v353.6)
    Nov 9 18:08:11 localhost kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    Nov 9 18:08:11 localhost kernel[0]: The Regents of the University of California. All rights reserved.
    Nov 9 18:08:11 localhost kernel[0]: using 3932 buffer headers and 3932 cluster IO buffer headers
    Nov 9 18:08:11 localhost kernel[0]: IOPCCard info: Intel PCIC probe: TI 1510 rev 00
    Nov 9 18:08:11 localhost kernel[0]: FireWire (OHCI) Apple ID 31 built-in now active, GUID 000a95ff fed7e598; max speed s800.
    Nov 9 18:08:11 localhost kernel[0]: ADB present:8c
    Nov 9 18:08:11 localhost kernel[0]: IOBluetoothHCIController::start Idle Timer Stopped
    Nov 9 18:08:11 localhost kernel[0]: Security auditing service present
    Nov 9 18:08:11 localhost kernel[0]: BSM auditing present
    Nov 9 18:08:11 localhost kernel[0]: disabled
    Nov 9 18:08:11 localhost kernel[0]: rooting via boot-uuid from /chosen: 6D9377C8-0E57-3977-986A-6E53838D1F82
    Nov 9 18:08:11 localhost kernel[0]: Waiting on <dict ID="0"><key>IOProviderClass</key><string ID="1">IOResources</string><key>IOResourceMatch</key><string ID="2">boot-uuid-media</string></dict>
    Nov 9 18:08:11 localhost kernel[0]: Got boot device = IOService:/MacRISC2PE/pci@f4000000/AppleMacRiscPCI/ata-6@D/AppleKauaiATA/ATADev iceNub@0/IOATABlockStorageDriver/IOATABlockStorageDevice/IOBlockStorageDriver/FU JITSU MHT2080AT Media/IOApplePartitionScheme/AppleHFS_Untitled1@3
    Nov 9 18:08:11 localhost kernel[0]: BSD root: disk0s3, major 14, minor 2
    Nov 9 18:08:11 localhost kernel[0]: Jettisoning kernel linker.
    Nov 9 18:08:11 localhost kernel[0]: Resetting IOCatalogue.
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 0
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 3
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 3
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 3
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 3
    Nov 9 18:08:11 localhost kernel[0]: Matching service count = 3
    Nov 9 18:08:11 localhost kernel[0]: IPv6 packet filtering initialized, default to accept, logging disabled
    Nov 9 18:08:12 localhost diskarbitrationd[50]: disk0s3 hfs 6D9377C8-0E57-3977-986A-6E53838D1F82 Macintosh HD /
    Nov 9 18:08:12 localhost diskarbitrationd[50]: disk1s3 hfs 3F54DA54-3D74-3C90-B945-0867F03A2298 Lacie 80.22G [not mounted]
    Nov 9 18:08:12 localhost diskarbitrationd[50]: disk1s5 hfs C4DF7FCA-EA13-3335-9F73-DBD12601507C Lacie 152.66G [not mounted]
    Nov 9 18:08:13 localhost kernel[0]: UniNEnet: Ethernet address 00:0a:95:d7:e5:98
    Nov 9 18:08:13 localhost kernel[0]: AirPortPCI_MM: Ethernet address 00:0a:95:f7:27:87
    Nov 9 18:08:13 localhost lookupd[78]: lookupd (version 369.5) starting - Fri Nov 9 18:08:13 2007
    Nov 9 18:08:15 localhost kernel[0]: Registering For 802.11 Events
    Nov 9 18:08:15 localhost kernel[0]: [HCIController][setupHardware] AFH Not Supported (0x2869e90)
    Nov 9 18:08:16 localhost kernel[0]: ATY,Jasper_A: vram [b8000000:04000000]
    Nov 9 18:08:16 localhost kernel[0]: ATY,Jasper_B: vram [b8000000:04000000]
    Nov 9 18:08:16 localhost mDNSResponder: Adding browse domain local.
    Nov 9 18:08:17 localhost /System/Library/CoreServices/loginwindow.app/Contents/MacOS/loginwindow: Login Window Application Started
    Nov 9 18:08:18 localhost loginwindow[82]: Login Window Started Security Agent
    Nov 9 18:08:22 my-name-powerbook-g4-15 configd[48]: setting hostname to "my-name-powerbook-g4-15.local"
    Nov 9 18:08:26 my-name-powerbook-g4-15 diskarbitrationd[50]: disk1s3 hfs 3F54DA54-3D74-3C90-B945-0867F03A2298 Lacie 80.22G /Volumes/Lacie 80.22G
    Nov 9 18:08:26 my-name-powerbook-g4-15 diskarbitrationd[50]: disk1s5 hfs C4DF7FCA-EA13-3335-9F73-DBD12601507C Lacie 152.66G /Volumes/Lacie 152.66G
    Nov 9 18:24:04 my-name-powerbook-g4-15 kernel[0]: jnl: close: flushing the buffer cache (start 0x323000 end 0x327200)
    Nov 9 18:24:04 my-name-powerbook-g4-15 kernel[0]: jnl: close: flushing the buffer cache (start 0x430400 end 0x434600)

    Hi, see if Safe Boot works...
    One way to test is to Safe Boot from the HD, (holding Shift key down at bootup), run Disk Utility in Applications>Utilities, then highlight your drive, click on Repair Permissions, Test for problem in Safe Mode...
    PS. Safe boot may stay on the gray radian for a long time, let it go, it's trying to repair the Hard Drive
    Reboot, test again.
    If it only does it in Regular Boot, then it could be some hardware problem like Video card, (Quartz is turned off in Safe Mode), or Airport, or some USB or Firewire device, or 3rd party add-on, Check System Preferences>Accounts>Login Items window to see if it or something relevant is listed.
    Check the System Preferences>Other Row, for 3rd party Pref Panes.
    Also look in these if they exist, some are invisible...
    /private/var/run/StartupItems
    /Library/StartupItems
    /System/Library/StartupItems
    /System/Library/LaunchDaemons
    /Library/LaunchDaemons

  • MIDI Genius needed

    Hey
    The setup has GOT to be simple, but I've tried everything (I think) and
    this problem eludes me!
    I'm including a diagram, so you can see the visual aspect, but here's the deal:
    I have a Behringer FCB 1010 (a foot controller) connected to a Behringer BCF2000. (a MIDI fader/knob device)
    The BCF2000 is hooked to the MBPro via USB, and the MIDI out goes to a MOTU Ultralite (1x1 MIDI + soundcard) which is connected to the same MBPro via Firewire.
    Here's the catch:
    Using a MOTU Fastlane connected to a MacMini, I am trying to get MIDI clock/or ANY MIDI from the FCB1010.
    BTW: I am NOT interested in connecting the 2 machines with an Ethernet cable, I am determined to do this OLD SKOOL. (MIDI)
    I also have nothing in my setup capable of SPMTE or Word Clock, so those are not options. Also, latency is not a concern.
    Any help you can offer, the cheque is in the mail!!
    Treatment

    Hi
    How about:
    a) MIDI Clock from the MBP out via MOTU MIDI OUT to FastLane MIDI IN
    B) MID Out from FCB 'split' into 2 using a MIDI Thru box ( such ashttp://www.kentonuk.com/products/items/utilities/m-thru-5.shtml), then to BCF and Fastlane?
    CCT

  • Genius Needed

    Hi,
    http://www.doratorekibarnett.com/fashion_portfolio.html
    I have set up a pure CSS hover style image gallery for a client.
    It works great................. at 1280/1024 1280/800       BUT
    At lower resolutions the SPAN style which is the hover will push to the right and bring up a horizontal scroll bar.
    I tired changing the SPAN positiioning to % but still no love.
    I dont want to use Flash, I really wanted to try and make this work with Pure CSS/HTML.
    I could settle for a Java script option....
    Is there a way to have a hover class that apears in a floated DIV?
    I am still at the beginnings of learning web development/design and relaise I may be doing things wrong/strangely.
    Thanks
    Sam

    Will changing the container width really fix the issue at lower res?
    Because the portrait images move as well.
    No, Sam.  It won't.  Viewport size doesn't effect a fixed width layout.  That's why when the viewport is resized to smaller than page width, you see horizontal and vertical scrollbars.  Decide who you're targeting and pick a size: <1600 <1280 < 1024 or <800.
    Centered Fixed Width Layout
    http://alt-web.com/TEMPLATES/CSS2-Centered-Page.shtml
    Centered Liquid Layout
    http://alt-web.com/TEMPLATES/CSS2-Liquid-Page.shtml
    Nancy O.
    Alt-Web Design & Publishing
    Web | Graphics |  Print | Media Specialists
    www.alt-web.com/
    www.twitter.com/altweb

  • PHP, Java, and Safari weirdness (Mac Web Genius needed)

    If you know a good deal about the three, visit this thread:
    http://wordpress.org/support/topic/46465
    The basic question boils down to: is this a Safari issue, or a code error. If you see the error, please suggest a solution.
    Thank you.

    "After reading your post at the WP support forum, it obviously looks like the code you're using works by itself. It's only after you add it into the WP "loop" that it breaks. This is definitely not an issue with Safari, but an issue with other browsers which are not as strict with standards."
    Respectfully, this is a backwards conclusion. I've add this exact javascript to 2 WordPress blogs and 1 PHP board.
    1. The Javascript works fine in one blog, all browsers.
    2. Only Safari can't properly load the same script in another blog. (the one in question)
    3. The Java script works fine in my PHP board, all but for one browser: Safari
    Logical conclusions:
    A. Something about the chosen themes in that one WP and PHP don't play nice with Safari (though different themes from different developers are unlikely to make the same mistake)
    B. Safari doesn't play nice with something in PHP, since it screws up both a WP blog and PHPboard. Remember, Opera and Firefox can run these sights fine, and IE nearly so.
    Right?

Maybe you are looking for

  • How do i get rid of the last 39 cents on my gift card?

    Please help me , i don't know a good way to get rid of them

  • How to get the return values from a web page

    Hi all :    how to get the return values from a web page ?  I mean how pass values betwen webflow and web page ? thank you very much Edited by: jingying Sony on Apr 15, 2010 6:15 AM Edited by: jingying Sony on Apr 15, 2010 6:18 AM

  • Error while doing GR/IR clearing in MR11

    Hi friends, We have a schedule ageeement created in 2004 but got some GR/IR differences and need to do clearing in MR11. I can able to see the purchase order history of it so it conforms that the document is not archived. Only issue is I cannot phisi

  • How to get all records created this month?

    Ok I'm trying to write a query that would get records that were created this month or later but not in the past. So today is Nov 16th 2009 I need to look for all records created from 11/2009 and onward (>11/2009) Any ideas?

  • [GeForceFX] Red lines on my GeForce FX 9950 Ultra

    I have recently upgraded my Graphics card from a GeForce FX 5200 to a GeForce FX 9950 Ultra. I have had no problems with the 5200 model, but when i installed the 9950 card (which is HUGE!!!) the Loading up bios screen had red vertical lines all over