XMLQuery starts using XMLSEQUENCEFROMXMLTYPE when adding filter to query

Hi,
I'm creating a single XML view on 3 relational tables. These table represent:
1. a dataset description (table: refs)
2. a keyset (table: keyset, a table with between refs )
3. a data set (table: data, consisting of reference to key, value, and reference to a dataset)
Per dataset I can have multiple keys, per key I have multiple values
(1:N for dataset:keys, 1:N keys:values)
The definition is given below:
DROP TABLE data;
DROP TABLE refs;
DROP TABLE keyset;
CREATE TABLE data (ref int, key int, value float);
CREATE TABLE refs (ref int);
CREATE TABLE keyset (key int, ref int);
CREATE INDEX data_krv ON data (key,ref,value);
CREATE INDEX keyset_kr ON keyset (key,ref);
INSERT INTO refs VALUES (1);
INSERT INTO refs VALUES (2);
INSERT INTO data VALUES (1,1,1.5);
INSERT INTO data VALUES (1,1,2.5);
INSERT INTO data VALUES (1,2,3.5);
INSERT INTO data VALUES (1,2,4.5);
INSERT INTO data VALUES (2,1,5.5);
INSERT INTO data VALUES (2,1,6.5);
INSERT INTO data VALUES (2,2,7.5);
INSERT INTO data VALUES (2,2,8.5);
INSERT INTO keyset SELECT DISTINCT key, ref FROM data;
CREATE OR REPLACE VIEW drk_xml_view OF XMLType
with OBJECT ID
  extract(object_value,'/ref').getnumberval()
AS
SELECT xmlElement(
     "ref",
     xmlElement("ref_id", refs.ref),
     (SELECT xmlAgg(
                xmlElement("key",
                  xmlElement("key_id",keyset.key),
                  xmlElement("values",
                      (SELECT xmlAgg(xmlElement("value",data.value))
                       FROM data
                       WHERE data.key=keyset.key AND data.ref=keyset.ref)
      FROM keyset WHERE refs.ref = keyset.ref
) FROM refs
/When I do a query like:
SELECT xmlQuery('for $i in /ref return max($i/key/values/value)' passing object_value returning content) from drk_xml_view;the explain plan looks as expected:
| Id  | Operation              | Name      | Rows  | Bytes | Cost (%CPU)| Time     |
|   0 | SELECT STATEMENT       |           |     2 |    26 |     3   (0)| 00:00:01 |
|   1 |  SORT AGGREGATE        |           |     1 |    65 |            |          |
|   2 |   NESTED LOOPS         |           |     1 |    65 |     6   (0)| 00:00:01 |
|*  3 |    INDEX FAST FULL SCAN| KEYSET_KR |     1 |    26 |     3   (0)| 00:00:01 |
|*  4 |    INDEX RANGE SCAN    | DATA_KRV  |     1 |    39 |     3   (0)| 00:00:01 |
|   5 |  SORT AGGREGATE        |           |     1 |       |            |          |
|   6 |   FAST DUAL            |           |     1 |       |     2   (0)| 00:00:01 |
|   7 |  TABLE ACCESS FULL     | REFS      |     2 |    26 |     3   (0)| 00:00:01 |
Predicate Information (identified by operation id):
   3 - filter("KEYSET"."REF"=:B1)
   4 - access("DATA"."KEY"="KEYSET"."KEY" AND "DATA"."REF"=:B1)
       filter("DATA"."REF"="KEYSET"."REF")
Note
   - dynamic sampling used for this statementThis is very nicely optimized.
But now I do this one:
SELECT xmlQuery('for $i in /ref[./ref_id<2] return max($i/key/values/value)' passing object_value returning content) from drk_xml_view;(where I only added a constraint on the /ref/ref_id) the following occurs:
| Id  | Operation                          | Name                   | Rows  | Bytes | Cost (%CPU)| Time     |
|   0 | SELECT STATEMENT                   |                        |     2 |    26 |     3   (0)| 00:00:01 |
|   1 |  SORT AGGREGATE                    |                        |     1 |     2 |            |          |
|   2 |   COLLECTION ITERATOR PICKLER FETCH| XMLSEQUENCEFROMXMLTYPE |       |       |            |          |
|   3 |  SORT AGGREGATE                    |                        |     1 |       |            |          |
|*  4 |   FILTER                           |                        |       |       |            |          |
|   5 |    FAST DUAL                       |                        |     1 |       |     2   (0)| 00:00:01 |
|   6 |  TABLE ACCESS FULL                 | REFS                   |     2 |    26 |     3   (0)| 00:00:01 |
Predicate Information (identified by operation id):
   4 - filter(:B1<2)
Note
   - dynamic sampling used for this statementSo, it doesn't use any index any more and creates a XMLSequenceFromXMLType instead. This one is then parsed which results in really bad performance.
I've tried to add extra indexes to the tables, but that didn't result in an optimilization. From a SQL point of view this seems quite easy, but using the view it gives me problems.
Is there someone who can explain me what is happening here? Or give me some pointers?
Please let me know if you need to know more, or if something is unclear.
Best regards

SQL> SELECT xmlQuery('for $i in /ref where $i/ref_id < 2 return max($i/key/values/value) ' passing object_value returning content)
  2    from drk_xml_view
  3  /
XMLQUERY('FOR$IIN/REFWHERE$I/REF_ID<2RETURNMAX($I/KEY/VALUES/VALUE)'PASSINGOBJECT_VALUERETURNINGCONTENT)
4.5
Execution Plan
Plan hash value: 2754328746
| Id  | Operation           | Name   | Rows  | Bytes | Cost (%CPU)| Time     |
|   0 | SELECT STATEMENT    |        |     2 |    26 |     2   (0)| 00:00:01 |
|   1 |  SORT AGGREGATE     |        |     1 |    65 |            |          |
|*  2 |   HASH JOIN         |        |     1 |    65 |     5  (20)| 00:00:01 |
|*  3 |    TABLE ACCESS FULL| KEYSET |     1 |    26 |     2   (0)| 00:00:01 |
|*  4 |    TABLE ACCESS FULL| DATA   |     1 |    39 |     2   (0)| 00:00:01 |
|   5 |  SORT AGGREGATE     |        |     1 |       |            |          |
|*  6 |   FILTER            |        |       |       |            |          |
|   7 |    FAST DUAL        |        |     1 |       |     2   (0)| 00:00:01 |
|   8 |  TABLE ACCESS FULL  | REFS   |     2 |    26 |     2   (0)| 00:00:01 |
Predicate Information (identified by operation id):
   2 - access("DATA"."KEY"="KEYSET"."KEY" AND
              "DATA"."REF"="KEYSET"."REF")
   3 - filter("KEYSET"."REF"=:B1)
   4 - filter("DATA"."REF"=:B1)
   6 - filter(:B1<2)
Note
   - dynamic sampling used for this statement
SQL>

Similar Messages

  • Settings for fios actiontec router using coax when adding time capsule as ac router

    I would like to set up my new time capsule as my main wireless router on a fios coax-wan internet that is currently using the m1424wr revisiion I router. 
    What are the settings i should use for the actiontec versus the time capsule and what is the best way to set it up to take advantage of the AC wireless on the TC without losing set top box features providing by the actiontec router over coax? 
    I got the TC to conenct via WAN to LAN on actiontec but i think that may limit my ability to take advantage of the capabilities of the time capsule. 
    Any suggestions ont the best set up given I have multiple devices both iOS, OSX and need relaiable coverage of a 3 story town house. 
    Thanks!
    Tim

    Best setup is to bridge the TC.. which I think is how you set it up.
    I got the TC to conenct via WAN to LAN on actiontec but i think that may limit my ability to take advantage of the capabilities of the time capsule.
    You do miss the guest wireless network and BTMM on the TC itself... but otherwise it is the best for everything else.
    Tell us if you need these functions.
    To cover a 3 storey town house a single wireless router is not going to be adequate.. if you can place the TC on a different floor to the modem that could be very helpful, with ethernet to link the two.
    Otherwise you need an Express or two so the coverage can be extended.

  • I have just changed to firefox from IE and am trying to start using it .When loading FF it asked me if I wanted to import my ie favourites -answer .yes but I cannot find them

    op system windows 7+sp1

    You can usually find the imported IE Favorites in a folder ("From Internet Explorer") at the bottom of the Bookmarks Menu folder (Bookmarks > Organize Bookmarks).
    If you can't find them in the "From Internet Explorer" folder then try this:
    * Export the favorites in IE to an HTML file (bookmarks.html): File > Import and Export
    * Import the HTML file in Firefox: Bookmarks > Organize Bookmarks > Import & Backup > Import HTML: From File
    See also:
    * http://kb.mozillazine.org/Import_bookmarks ("Import from another browser" and "Import from file")

  • Query works in preview, but not when added under a Query Group

    Hello Experts-
    I'm trying to use this query as one of the options under the drop down on the Supplier Search under the Supplier Management.
    Error message:
    while trying to invoke the method com.sap.odp.comp.query.QueryParamValue.getPromptParamDef() of a null
    object loaded from local variable 'paramValue' while trying to invoke the method
    com.sap.odp.comp.query.QueryParamValue.getPromptParamDef() of a null object
    loaded from local variable 'paramValue'
    The query itself is complicated, but it works fine when executed under preview.
    Wondering if any one has ever seen this behavior and knows of any typical causes?
    Thanks,
    Mike

    Thanks for the offer, Vignesh.
    Sorry, I'm currently having trouble duplicating it, but next time it happens I'll try to get some screenshots.
    I have narrowed it down to blank values in optional string fields when the query loads. I fixed (kind of) the ones I was having trouble with by rearranging the filter parameters so there would not be blanks.
    Thanks again,
    Mike

  • Not using Index when SDO_RELATE in Spatial Query is used in LEFT OUTER JOIN

    I want to know for every City (Point geometry) in which Municipality (Polygon geometry) it is.
    Some cities will not be covered by any municipality (as there is no data for it), so its municipality name should be blank in the result
    We have 4942 cities (point geometries)
    and 500 municipalities (polygon geometry)
    SELECT T1.NAME as City, T2.NAME as Municipality
    FROM CITY T1
    LEFT OUTER JOIN MUNICIPALITY T2 ON SDO_RELATE(T1.GEOM, T2.GEOM, 'MASK=ANYINTERACT') = 'TRUE'The explain plan for this query is:
    SELECT STATEMENT
      FILTER
        Filter Predicates
          MDSYS.SDO_RTREE_RELATE(T1.GEOM, T2.GEOM, 'mask=ANYINTERACT querytype=window ') = 'TRUE'
        MERGE JOIN
          TABLE ACCESS              CITY               FULL                            11
          BUFFER                                       SORT                        100605
              TABLE ACCESS          MUNICIPALITY       FULL                            20So the cost is in the BUFFER (whatever that is), it takes +2000 seconds to run this, it is not using the spatial index.
    And we are not getting all rows, but only the ones interacting with a municipality, e.g. 2436 rows.
    But I want all rows, including the ones not interacting with any Municipality.
    When we want only those cities that actually are in a municipality, I use a different query and it will use the index.
    SELECT T1.NAME as City, T2.NAME as Municipality
    FROM CITY T1, MUNICIPALITY T2
    WHERE SDO_RELATE(T1.GEOM, T2.GEOM, 'MASK=ANYINTERACT') = 'TRUE'I get (only) 2436 rows (as expected) in 5 seconds (it is fast) and the explain plan shows it is using the spatial index.
    But in this case, I am not getting any cities not inside any municipality (of course)
    SELECT STATEMENT
       NESTED LOOPS
          TABLE ACCESS                   MUNICIPALITY       FULL                22
          TABLE ACCESS                   CITY               BY INDEX ROWID      22
             DOMAIN INDEX                CITY_SDX                                0
                Access Predicates
                   MDSYS.SDO_RTREE_RELATE(T1.GEOM, T2.GEOM, 'mask=ANYINTERACT querytype=window ') = 'TRUE'I always thought a LEFT OUTER JOIN would return all rows from the Table, whatever happens in the next,
    but it seems the query has been rewritten so that it is now using a Filter Predicate in the end, which filters those geometries having no interaction.
    As an example I also do thing alphanumerically, I do get 4942 rows, including the ones which have no Municipality name.
    In this case the names must match, so its only for testing if the LEFT OUTER JOIN returns stuff correctly, which it does in this case.
    SELECT T1.NAME as City, T2.NAME as Municipality
    FROM CITY T1
    LEFT OUTER JOIN MUNICIPALITY T2 ON T1.NAME = T2.NAMEIs this an Oracle Spatial bug, e.g. not return 4942 rows, but only 2436 rows on the first query?
    Note all tests performed on Oracle 11g R2 (11.2.0.1.0)

    Patrick,
    Even so, your geoms in the relate were the wrong way around.
    Also, I don't recall you saying (or showing) that you wanted the municipality geometry returned. Still,
    no matter, easy to do.
    Here are some additional suggestions. I don't have your data so I have had to use some of my own.
    set serveroutput on timing on autotrace on
    SELECT T1.SPECIES as City,
           (SELECT T2.ADMIN_NAME FROM AUSTRALIAN_STATES T2 WHERE SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE') as Municipality,
           (SELECT T2.GEOM       FROM AUSTRALIAN_STATES T2 WHERE SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE') as geom
      FROM GUTDATA T1;
    762 rows selected
    Elapsed: 00:00:21.656
    Plan hash value: 2160035213
    | Id  | Operation                   | Name                       | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT            |                            |   762 | 49530 |     5   (0)| 00:00:01 |
    |   1 |  TABLE ACCESS BY INDEX ROWID| AUSTRALIAN_STATES          |     1 |   115 |     0   (0)| 00:00:01 |
    |*  2 |   DOMAIN INDEX              | AUSTRALIAN_STATES_GEOM_SPX |       |       |     0   (0)| 00:00:01 |
    |   3 |  TABLE ACCESS BY INDEX ROWID| AUSTRALIAN_STATES          |     1 |   115 |     0   (0)| 00:00:01 |
    |*  4 |   DOMAIN INDEX              | AUSTRALIAN_STATES_GEOM_SPX |       |       |     0   (0)| 00:00:01 |
    |   5 |  TABLE ACCESS FULL          | GUTDATA                    |   762 | 49530 |     5   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       2 - access("MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"(:B1,10000,0.5,'UNIT=M'))='TRUE')
       4 - access("MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"(:B1,10000,0.5,'UNIT=M'))='TRUE')
       Statistics
                   7  user calls
               24576  physical read total bytes
                   0  physical write total bytes
                   0  spare statistic 3
                   0  commit cleanout failures: cannot pin
                   0  TBS Extension: bytes extended
                   0  total number of times SMON posted
                   0  SMON posted for undo segment recovery
                   0  SMON posted for dropping temp segment
                   0  segment prealloc tasksThe above can look messy as you add more (SELECT ...) attributes, but is is fast (though can't use in Materialized Views).
    /* The set of all cities not in municipalities */
    SELECT T1.SPECIES                 as City,
           cast(null as varchar2(42)) as municipality,
           cast(null as sdo_geometry) as geom
      FROM GUTDATA T1
    WHERE NOT EXISTS (SELECT 1
                         FROM AUSTRALIAN_STATES T2
                        WHERE SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE')
    UNION ALL
    /* The set of all cities in municipalities */
    SELECT T1.SPECIES    as City,
           T2.ADMIN_NAME as Municipality,
           T2.GEOM       as geom
      FROM GUTDATA T1
           INNER JOIN
           AUSTRALIAN_STATES T2 ON (SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE');
    762 rows selected
    Elapsed: 00:00:59.953
    Plan hash value: 2854682795
    | Id  | Operation           | Name                       | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT    |                            |    99 | 13450 |    38  (87)| 00:00:01 |
    |   1 |  UNION-ALL          |                            |       |       |            |          |
    |*  2 |   FILTER            |                            |       |       |            |          |
    |   3 |    TABLE ACCESS FULL| GUTDATA                    |   762 | 49530 |     5   (0)| 00:00:01 |
    |*  4 |    DOMAIN INDEX     | AUSTRALIAN_STATES_GEOM_SPX |       |       |     0   (0)| 00:00:01 |
    |   5 |   NESTED LOOPS      |                            |    61 | 10980 |    33   (0)| 00:00:01 |
    |   6 |    TABLE ACCESS FULL| AUSTRALIAN_STATES          |     8 |   920 |     3   (0)| 00:00:01 |
    |*  7 |    TABLE ACCESS FULL| GUTDATA                    |     8 |   520 |     4   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       2 - filter( NOT EXISTS (SELECT 0 FROM "AUSTRALIAN_STATES" "T2" WHERE "MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"(:B1,10000,0.5,'UNIT=M'))='TRUE'))
       4 - access("MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"(:B1,10000,0.5,'UNIT=M'))='TRUE')
       7 - filter("MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"("T1"."GEOM",10000,0.5,'UNIT=M'))='TRUE')
       Statistics
                   7  user calls
              131072  physical read total bytes
                   0  physical write total bytes
                   0  spare statistic 3
                   0  commit cleanout failures: cannot pin
                   0  TBS Extension: bytes extended
                   0  total number of times SMON posted
                   0  SMON posted for undo segment recovery
                   0  SMON posted for dropping temp segment
                   0  segment prealloc tasksMuch slower but Materialized View friendly.
    This one is a bit more "natural" but still slower than the first.
    set serveroutput on timing on autotrace on
    /* The set of all cities in municipalities */
    WITH municipal_cities As (
      SELECT T1.ID         as City,
             T2.ADMIN_NAME as Municipality,
             T2.GEOM       as geom
        FROM GUTDATA T1
             INNER JOIN
             AUSTRALIAN_STATES T2 ON (SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE')
    SELECT T1.ID           as City,
           T2.Municipality as Municipality,
           T2.GEOM         as geom
      FROM GUTDATA          T1
           LEFT OUTER JOIN
           municipal_cities T2
           ON (T2.CITY = T1.ID);
    762 rows selected
    Elapsed: 00:00:50.228
    Plan hash value: 745978991
    | Id  | Operation             | Name              | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT      |                   |   762 | 44196 |    36   (3)| 00:00:01 |
    |*  1 |  HASH JOIN RIGHT OUTER|                   |   762 | 44196 |    36   (3)| 00:00:01 |
    |   2 |   VIEW                |                   |    61 |  3294 |    33   (0)| 00:00:01 |
    |   3 |    NESTED LOOPS       |                   |    61 | 10980 |    33   (0)| 00:00:01 |
    |   4 |     TABLE ACCESS FULL | AUSTRALIAN_STATES |     8 |   920 |     3   (0)| 00:00:01 |
    |*  5 |     TABLE ACCESS FULL | GUTDATA           |     8 |   520 |     4   (0)| 00:00:01 |
    |   6 |   INDEX FAST FULL SCAN| GUTDATA_ID_PK     |   762 |  3048 |     2   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       1 - access("T2"."CITY"(+)="T1"."ID")
       5 - filter("MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"("T1"."GEOM",10000,0.5,'UNIT=M'))='TRUE')
       Statistics
                   7  user calls
               49152  physical read total bytes
                   0  physical write total bytes
                   0  spare statistic 3
                   0  commit cleanout failures: cannot pin
                   0  TBS Extension: bytes extended
                   0  total number of times SMON posted
                   0  SMON posted for undo segment recovery
                   0  SMON posted for dropping temp segment
                   0  segment prealloc tasksFinally, the Pièce de résistance: trick the LEFT OUTER JOIN operator...
    set serveroutput on timing on autotrace on
    SELECT T1.SPECIES    as City,
           T2.ADMIN_NAME as Municipality,
           T2.GEOM       as geom
      FROM GUTDATA           T1
           LEFT OUTER JOIN
           AUSTRALIAN_STATES T2
           ON (t2.admin_name = to_char(t1.ID) OR
               SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE');
    762 rows selected
    Elapsed: 00:00:50.273
    Plan hash value: 158854308
    | Id  | Operation           | Name              | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT    |                   |   762 | 92964 |  2294   (1)| 00:00:28 |
    |   1 |  NESTED LOOPS OUTER |                   |   762 | 92964 |  2294   (1)| 00:00:28 |
    |   2 |   TABLE ACCESS FULL | GUTDATA           |   762 | 49530 |     5   (0)| 00:00:01 |
    |   3 |   VIEW              |                   |     1 |    57 |     3   (0)| 00:00:01 |
    |*  4 |    TABLE ACCESS FULL| AUSTRALIAN_STATES |     1 |   115 |     3   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       4 - filter("T2"."ADMIN_NAME"=TO_CHAR("T1"."ID") OR
                  "MDSYS"."SDO_ANYINTERACT"("T2"."GEOM","SDO_GEOM"."SDO_BUFFER"("T1"."GEOM",10000,0.5,'UNIT=M'))='TRUE')
       Statistics
                   7  user calls
                   0  physical read total bytes
                   0  physical write total bytes
                   0  spare statistic 3
                   0  commit cleanout failures: cannot pin
                   0  TBS Extension: bytes extended
                   0  total number of times SMON posted
                   0  SMON posted for undo segment recovery
                   0  SMON posted for dropping temp segment
                   0  segment prealloc tasksTry these combinations to see what works for you.
    Interestingly, for me, the following returns absolutely nothing.
    SELECT T1.SPECIES    as City,
           T2.ADMIN_NAME as Municipality
      FROM GUTDATA           T1
           LEFT OUTER JOIN
           AUSTRALIAN_STATES T2
           ON (SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE')
    MINUS
    SELECT T1.SPECIES    as City,
           T2.ADMIN_NAME as Municipality
      FROM GUTDATA           T1
           LEFT OUTER JOIN
           AUSTRALIAN_STATES T2
           ON (t2.admin_name =  to_char(t1.ID) OR
               SDO_ANYINTERACT(T2.GEOM, SDO_GEOM.SDO_BUFFER(T1.GEOM,10000,0.5,'UNIT=M')) = 'TRUE');(I leave it to you to see if you can see why as the LEFT OUTER JOIN seems to be working correctly for me but I am not going to dedicate time to detailed checking of results.)
    Note all tests performed on Oracle 11g R2 (11.2.0.1.0)
    If you get the answer you want: mark the post as answered to assign points.
    regards
    Simon

  • Bridge CS6 crashes when adding tags or ratings

    Bridge CS6 crashes when adding tags or ratings.  Someone suggested upgrading video driver.  It resolved the problem for a short time and then started crashing again when adding tags or ratings.  Sometimes it works fine but lately it crashes almost every time I tag or rate one image.  I have upgraded my video driver and reset cache and reset preferences. 
    Never had a crash with Photoshop CS6 or RAW ...only with Bridge when Tagging or Rating
    AMD Phenom II X4 810 2.60GHz
    8.0 GB RAM
    Windows 7 64 bit
    Thanks for your help Paul

    Curt Y ....saw your response to another person with the same problem.....video, printer, or scanner drivers could be the problem????  Really?  My computer never crashes until I installed Bridge.   
    Faulting application name: Bridge.exe, version: 5.0.1.23, time stamp: 0x505aad8f
    Faulting module name: ntdll.dll, version: 6.1.7601.17725, time stamp: 0x4ec4aa8e
    Exception code: 0xc0000374
    Fault offset: 0x00000000000c40f2
    Faulting process id: 0xd78
    Faulting application start time: 0x01cdf793e58dd872
    Faulting application path: C:\Program Files\Adobe\Adobe Bridge CS6 (64 Bit)\Bridge.exe
    Faulting module path: C:\Windows\SYSTEM32\ntdll.dll
    Report Id: 2d3487d6-6387-11e2-9bb4-00265549541e
    - <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
    - <System>
    <Provider Name="Application Error" />
    <EventID Qualifiers="0">1000</EventID>
    <Level>2</Level>
    <Task>100</Task>
    <Keywords>0x80000000000000</Keywords>
    <TimeCreated SystemTime="2013-01-21T04:58:21.000000000Z" />
    <EventRecordID>54203</EventRecordID>
    <Channel>Application</Channel>
    <Computer>Paul-PC</Computer>
    <Security />
    </System>
    - <EventData>
    <Data>Bridge.exe</Data>
    <Data>5.0.1.23</Data>
    <Data>505aad8f</Data>
    <Data>ntdll.dll</Data>
    <Data>6.1.7601.17725</Data>
    <Data>4ec4aa8e</Data>
    <Data>c0000374</Data>
    <Data>00000000000c40f2</Data>
    <Data>d78</Data>
    <Data>01cdf793e58dd872</Data>
    <Data>C:\Program Files\Adobe\Adobe Bridge CS6 (64 Bit)\Bridge.exe</Data>
    <Data>C:\Windows\SYSTEM32\ntdll.dll</Data>
    <Data>2d3487d6-6387-11e2-9bb4-00265549541e</Data>
    </EventData>
    </Event>

  • How do you start using calendar?

    How do you start using calendar? Adding dates,etc?

    One concept that is not described well is that your Calendar display is the Union of all the available Calendars selected. You can have lots of calendars open, and the events from each and every one will be shown in the summary Calendar display -- sort of like they were on transparencies overlaid on each other.
    Where you put your Master Calendar depends if you want to share your Master Calendar across multiple devices or other Users.
    The default calendar you "just create" is strictly private -- not available on any other device or any other User.
    To create a shareable Master Calendar, you need to set up an account on a calendar sharing site that is visible on the Internet -- not likely to be your home Mac. You can use Google calendar, Yahoo Calendar, iCloud calendar, any Server that uses CalDav, Microsoft Exchange, and others. Once established that Master Calendar can be accessed from anywhere on the Internet through another computer, an iPhone, or other "smart" devices.

  • I just started using Firefox. When I added a bookmark it was alphabatized and now when i add a bookmark it is added randomly

    I just started using Firefox. When I added a bookmark it was alphabatized and now when i add a bookmark it is added randomly

    hello scarsman, i think by default all bookmarks are sorted by their creation date - however you can right-click each folder and choose to sort all currently available entries by name. in the bookmark library you can click on any column (name, tag, last visit date, visit count, date added, etc...) to sort them as you want...

  • I had an iPod nano and then got a classic iPod, which then broke. So I wanted to start using my iPod nano again. I still have the same iTunes account, but when I try to sync this iPod with my iTunes nothing happens.

    The music that was on this nano when I stopped using it a few years ago is still on it, and I want to replace it with other songs that I've added to my iTunes since then.

    iPods (except for iPod touch) are not linked to any iTunes "account."  They are associated with your iTunes library. The account in iTunes is your Apple ID, and that is used to buy and download content from the iTunes Store.  It is not required to use an iPod.
    The 1st (and 2nd) gen shuffle can only be used with one iTunes library at a time.  When you connect it, iTunes should prompt you to start using it with your iTunes library, and warn that the shuffle's existing content will be erased.  Have iTunes erase the shuffle, and it will be associated with your iTunes library going forward.  You can then add content to your shuffle.
    The need for the previous owner's Apple ID and password should only come up if you are trying to transfer existing content from the shuffle to your iTunes library, AND the previous owner had content purchased from the iTunes Store.  Just cancel out of that step, if iTunes asks.

  • When adding a yahoo email account I keep getting "Server Unavailable" notification.  This started after I updated my software.  I deleted my accounts and tried to re-add them but continue to get this notification??

    When adding a yahoo email account I keep getting "Server Unavailable" notification.  This started after I updated my software.  I deleted my accounts and tried to re-add them but continue to get this notification??

    hello, this is a scam tactic that is trying to trick you into installing malware, so don't download or execute this kind of stuff! as you've rightly mentioned, you're already using the latest version of firefox installed and you can always initiate a check for ''updates in firefox > help > about firefox''.
    you might also want to run a full scan of your system with the security software already in place and different tools like the [http://www.malwarebytes.org/products/malwarebytes_free free version of malwarebytes], [http://www.bleepingcomputer.com/download/adwcleaner/ adwcleaner] & [http://www.kaspersky.com/security-scan kaspersky security scan] in order to make sure that there isn't already some sort of malware active on your system that triggers these false alerts.
    [[Troubleshoot Firefox issues caused by malware]]

  • When I first started using Collections, I followed someone's advice and always clicked 'create virtu

    When I first started using Collections, I followed someone's advice and always clicked 'create virtual copy' -- so I now have a huge number of unused/useless VCs that I would like to clear out. Is there any way to 1) filter to show all virtual copies that have not been changed (but keep the ones that I have edited or changed in any way, 2) delete the unchanged virtual copies but keep the collection that holds them intact? I can picture a work-around for the second part by color coding all the unused VCs along with their original, deleting the unedited VCs, going to the folder and selecting all the colored originals, dragging them to the colection and then removing the color lable. Cumbersome, but doable.

    Umm no not that i remember. It just randomly started happening. I reformatted the hard drive for mac (journaled) but it was working fine since i did it until now

  • My cursor recently started to dissapear when im not using it but when i press a key it flashes back for a second... how do i fix this?

    Well I'm a frequent Firefox user ad recently my cursor has started to dissapear when I'm not moving it. However when i press a key it flashes back for a second also, when I'm moving it flickers a lot (one moment its there one moment it isn't). How do i fix this?
    == This happened ==
    Every time Firefox opened
    == Earlier today (july 20th 2010)

    Never saw this problem until today, first on Facebook, then on these Mozilla support pages. I had one Firefox window with multiple FB and Mozilla tabs open.
    Here's my observations: On the FB and Mozilla pages, the cursor (arrow/hand) acted identical and as described here, would disappear after 2-3 seconds of inactivity or non-motion, then instantly reappear with mouse movement or key strike but only momentarily if no further motion/action occurred. Interestingly, I also had one FoxNews tab (actually FoxNewsInsider) open, and observed slightly different activity. The Cursor/hand would disappear as described above, but instead of staying invisible, it flashed on /off for what appeared to be <1 second on then <1 second off, until mouse movement or key strike. Now, here's the really interesting part ... When I opened a second FoxNewsInsider tab, the problem corrected itself with no direct action on my part to resolve the issue. I was going to close all tabs, then Firefox and perform the system reboot to correct this annoyance ... but, still have not seen the problem.
    Okay, I'm not going to say viewing FoxNewsInsider webpages not only provides one perspective on news, and the added benefit of fixing cursor/hand problems .. but maybe there's some to being well informed ... Sorry folks, couldn't resist ... :) I will be watching for the disappearing cursor issue again, and will reply here with any updates or changes in my observations.

  • Problem description: Computer takes a long time to fire up. Spinning ball is seen during start up, sometimes when login dialog box, and sometimes after entering login password. My mac freeze often, especially when using Lightroom-.

    Problem description:
    Computer takes a long time to fire up. Spinning ball is seen during start up, sometimes when login dialog box, and sometimes after entering login password. My mac freeze often, especially when using Lightroom….     Help is much appreciated!
    EtreCheck version: 2.0.11 (98)
    Report generated 3. november 2014 kl. 01.23.41 CET
    Hardware Information: ℹ️
      MacBook Pro (13-inch, Mid 2010) (Verified)
      MacBook Pro - model: MacBookPro7,1
      1 2.4 GHz Intel Core 2 Duo CPU: 2-core
      4 GB RAM Upgradeable
      BANK 0/DIMM0
      2 GB DDR3 1067 MHz ok
      BANK 1/DIMM0
      2 GB DDR3 1067 MHz ok
      Bluetooth: Old - Handoff/Airdrop2 not supported
      Wireless:  en1: 802.11 a/b/g/n
    Video Information: ℹ️
      NVIDIA GeForce 320M - VRAM: 256 MB
      Color LCD 1280 x 800
    System Software: ℹ️
      OS X 10.10 (14A389) - Uptime: 2:49:19
    Disk Information: ℹ️
      Samsung SSD 840 EVO 500GB disk0 : (500,11 GB)
      S.M.A.R.T. Status: Verified
      EFI (disk0s1) <not mounted> : 210 MB
      Macintosh HD (disk0s2) /  [Startup]: 499.25 GB (260.35 GB free)
      Recovery HD (disk0s3) <not mounted>  [Recovery]: 650 MB
      MATSHITADVD-R   UJ-898 
    USB Information: ℹ️
      Apple Inc. Built-in iSight
      Apple Internal Memory Card Reader
      Apple Inc. BRCM2046 Hub
      Apple Inc. Bluetooth USB Host Controller
      Apple Computer, Inc. IR Receiver
      Apple Inc. Apple Internal Keyboard / Trackpad
    Configuration files: ℹ️
      /etc/sysctl.conf - Exists
      /etc/hosts - Count: 15
    Gatekeeper: ℹ️
      Mac App Store and identified developers
    Kernel Extensions: ℹ️
      /Applications/IPVanish.app
      [not loaded] foo.tap (1.0) Support
      [not loaded] foo.tun (1.0) Support
      /Applications/LaCie Desktop Manager.app
      [not loaded] com.LaCie.ScsiType00 (1.2.13 - SDK 10.5) Support
      [not loaded] com.jmicron.driver.jmPeripheralDevice (2.0.4) Support
      [not loaded] com.lacie.driver.LaCie_RemoteComms (1.0.1 - SDK 10.5) Support
      [not loaded] com.oxsemi.driver.OxsemiDeviceType00 (1.28.13 - SDK 10.5) Support
      /Applications/Private Eye.app
      [loaded] com.radiosilenceapp.nke.PrivateEye (1 - SDK 10.7) Support
      /Library/Application Support/HASP/kexts
      [not loaded] com.aladdin.kext.aksfridge (1.0.2) Support
      /System/Library/Extensions
      [loaded] com.hzsystems.terminus.driver (4) Support
      [not loaded] com.nvidia.CUDA (1.1.0) Support
      [not loaded] com.roxio.BluRaySupport (1.1.6) Support
      [not loaded] com.sony.filesystem.prodisc_fs (2.3.0) Support
      [not loaded] com.sony.protocol.prodisc (2.3.0) Support
      /Users/[redacted]/Library/Services/ToastIt.service/Contents/MacOS
      [not loaded] com.roxio.TDIXController (2.0) Support
    Startup Items: ℹ️
      CUDA: Path: /System/Library/StartupItems/CUDA
      ProTec6b: Path: /Library/StartupItems/ProTec6b
      Startup items are obsolete and will not work in future versions of OS X
    Launch Agents: ℹ️
      [not loaded] com.adobe.AAM.Updater-1.0.plist Support
      [running] com.adobe.AdobeCreativeCloud.plist Support
      [loaded] com.adobe.CS5ServiceManager.plist Support
      [running] com.digitalrebellion.EditmoteListener.plist Support
      [loaded] com.google.keystone.agent.plist Support
      [loaded] com.intego.backupassistant.agent.plist Support
      [running] com.mcafee.menulet.plist Support
      [invalid?] com.mcafee.reporter.plist Support
      [loaded] com.nvidia.CUDASoftwareUpdate.plist Support
      [loaded] com.oracle.java.Java-Updater.plist Support
      [running] com.orbicule.WitnessUserAgent.plist Support
      [loaded] com.xrite.device.softwareupdate.plist Support
    Launch Daemons: ℹ️
      [loaded] com.adobe.fpsaud.plist Support
      [invalid?] com.adobe.SwitchBoard.plist Support
      [running] com.aladdin.aksusbd.plist Support
      [failed] com.aladdin.hasplmd.plist Support
      [running] com.edb.launchd.postgresql-8.4.plist Support
      [loaded] com.google.keystone.daemon.plist Support
      [running] com.intego.BackupAssistant.daemon.plist Support
      [loaded] com.ipvanish.helper.openvpn.plist Support
      [loaded] com.ipvanish.helper.pppd.plist Support
      [invalid?] com.mcafee.ssm.ScanFactory.plist Support
      [invalid?] com.mcafee.ssm.ScanManager.plist Support
      [running] com.mcafee.virusscan.fmpd.plist Support
      [loaded] com.mvnordic.mvlicensehelper.offline.plist Support
      [loaded] com.oracle.java.Helper-Tool.plist Support
      [loaded] com.oracle.java.JavaUpdateHelper.plist Support
      [running] com.orbicule.witnessd.plist Support
      [loaded] com.radiosilenceapp.nke.PrivateEye.plist Support
      [running] com.xrite.device.xrdd.plist Support
    User Launch Agents: ℹ️
      [loaded] com.adobe.AAM.Updater-1.0.plist Support
      [loaded] com.adobe.ARM.[...].plist Support
      [invalid?] com.digitalrebellion.SoftwareUpdateAutoCheck.plist Support
      [loaded] com.facebook.videochat.[redacted].plist Support
      [loaded] com.macpaw.CleanMyMac2Helper.scheduledScan.plist Support
      [loaded] com.macpaw.CleanMyMac2Helper.trashWatcher.plist Support
      [running] com.spotify.webhelper.plist Support
    User Login Items: ℹ️
      Skype Program (/Applications/Skype.app)
      GetBackupAgent Program (/Users/[redacted]/Library/Application Support/BeLight Software/Get Backup 2/GetBackupAgent.app)
      PhoneViewHelper Program (/Users/[redacted]/Library/Application Support/PhoneView/PhoneViewHelper.app)
      EarthDesk Core UNKNOWN (missing value)
      Dropbox Program (/Applications/Dropbox.app)
      AdobeResourceSynchronizer ProgramHidden (/Applications/Adobe Reader.app/Contents/Support/AdobeResourceSynchronizer.app)
      i1ProfilerTray Program (/Applications/i1Profiler/i1ProfilerTray.app)
    Internet Plug-ins: ℹ️
      Google Earth Web Plug-in: Version: 6.0 Support
      Default Browser: Version: 600 - SDK 10.10
      AdobeAAMDetect: Version: AdobeAAMDetect 2.0.0.0 - SDK 10.7 Support
      FlashPlayer-10.6: Version: 15.0.0.189 - SDK 10.6 Support
      AdobePDFViewerNPAPI: Version: 11.0.09 - SDK 10.6 Support
      Silverlight: Version: 5.1.10411.0 - SDK 10.6 Support
      Flash Player: Version: 15.0.0.189 - SDK 10.6 Support
      QuickTime Plugin: Version: 7.7.3
      iPhotoPhotocast: Version: 7.0
      SiteAdvisor: Version: 2.0 - SDK 10.1 Support
      AdobePDFViewer: Version: 11.0.09 - SDK 10.6 Support
      GarminGPSControl: Version: 3.0.1.0 Release - SDK 10.4 Support
      JavaAppletPlugin: Version: Java 7 Update 71 Check version
    User Internet Plug-ins: ℹ️
      Google Earth Web Plug-in: Version: 6.2 Support
      F5 Inspection Host Plugin: Version: 6031.2010.0122.1 Support
      f5 sam inspection host plugin: Version: 7000.2010.0602.1 Support
    Safari Extensions: ℹ️
      Facebook Cleaner
      Better Facebook
      SiteAdvisor
      Incognito
      Bing Highlights
      YouTube5
      AdBlock
      YoutubeWide
    Audio Plug-ins: ℹ️
      DVCPROHDAudio: Version: 1.3.2
    3rd Party Preference Panes: ℹ️
      CUDA Preferences  Support
      EarthDesk  Support
      Editmote  Support
      Flash Player  Support
      FUSE for OS X (OSXFUSE)  Support
      Growl  Support
      Java  Support
      Witness  Support
    Time Machine: ℹ️
      Time Machine not configured!
    Top Processes by CPU: ℹ️
          13% taskgated
          12% WindowServer
          1% WitnessUserAgent
          1% sysmond
          1% Activity Monitor
    Top Processes by Memory: ℹ️
      327 MB com.apple.WebKit.WebContent
      137 MB softwareupdated
      94 MB Safari
      82 MB VShieldScanner
      82 MB Dock
    Virtual Memory Information: ℹ️
      65 MB Free RAM
      1.58 GB Active RAM
      1.54 GB Inactive RAM
      647 MB Wired RAM
      2.95 GB Page-ins
      260 MB Page-outs

    You have SCADS of extensions and the things running. McAfee, Intego, Orbicule, CleanMyMac, and others I've not ever even heard of. My first recommendation would be to remove all of these and see if things improve.

  • I recently started using an iPad. I up loaded several apps. Evernote, cloudon, Goodreader, Drop Box and lots of others. It crashes when I down load pictures and then try to use them. Converting a jpg to a pdf usually triggers a crash.  Help

    I recently started using an iPad. I up loaded several apps. Evernote, cloudon, Goodreader, Drop Box and lots of others.
    It crashes when I down load pictures and then try to use them. Converting a jpg to a pdf usually triggers a crash.
    Is there a "hitch" in my "giddy up?"
    Help.
    Process:         iPhoto [345]
    Path:            /Applications/iPhoto.app/Contents/MacOS/iPhoto
    Identifier:      com.apple.iPhoto
    Version:         9.4.2 (9.4.2)
    Build Info:      iPhotoProject-710042000000000~2
    App Item ID:     408981381
    App External ID: 11723545
    Code Type:       X86 (Native)
    Parent Process:  launchd [183]
    Date/Time:       2013-04-26 13:53:18.305 -0700
    OS Version:      Mac OS X 10.7.5 (11G63)
    Report Version:  9
    Interval Since Last Report:          405039 sec
    Crashes Since Last Report:           7
    Per-App Interval Since Last Report:  318933 sec
    Per-App Crashes Since Last Report:   5
    Anonymous UUID:                      5073147D-D214-4BD3-B7FA-9A9E6A158ABA
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_BAD_ACCESS (SIGBUS)
    Exception Codes: KERN_PROTECTION_FAILURE at 0x00000000c8fc0000
    VM Regions Near 0xc8fc0000:
        CG backing stores      00000000c8ea6000-00000000c8f19000 [  460K] rw-/rw- SM=SHM 
    --> CG backing stores      00000000c8fc0000-00000000c92f7000 [ 3292K] r--/rw- SM=SHM 
        Submap                 00000000ffff0000-00000000ffff2000          r-x/r-x process-only submap
    Application Specific Information:
    objc[345]: garbage collection is OFF
    Performing @selector(doSaveAsPDF:) from sender NSMenuItem 0x6da8c240
    Thread 0 Crashed:: Dispatch queue: com.apple.main-thread
    0   com.apple.CoreGraphics        0x93976aec blt_pattern_blend_XXXX32 + 686
    1   com.apple.CoreGraphics        0x93976def blt_bitmap_blend_AXXX32 + 105
    2   com.apple.CoreGraphics        0x9355894c argb32_mark_pixelshape + 19824
    3   com.apple.CoreGraphics        0x93485293 argb32_mark + 279
    4   com.apple.CoreGraphics        0x9349c915 argb32_image + 1037
    5   libRIP.A.dylib                0x90afec75 ripd_Mark + 279
    6   libRIP.A.dylib                0x90afcc67 ripl_BltImage + 1368
    7   libRIP.A.dylib                0x90afc497 ripc_RenderImage + 269
    8   libRIP.A.dylib                0x90b08a8c ripc_DrawImages + 6467
    9   com.apple.CoreGraphics        0x935593be CGContextDrawImages + 239
    10  com.apple.coreui              0x94680a79 CUIPenCG::DrawImages(void*, CGRect const*, CGImage**, CGRect const*, unsigned long) + 45
    11  com.apple.coreui              0x94671fc5 CUIRenderer::DrawWindowFrameDark(CUIDescriptor const*) + 4531
    12  com.apple.coreui              0x9465ce0d CUIRenderer::Draw(CGRect, CGContext*, __CFDictionary const*, __CFDictionary const**) + 5701
    13  com.apple.coreui              0x9467dde5 CUIDraw + 206
    14  com.apple.AppKit              0x912a52e4 _NSDrawThemeBackground + 1429
    15  com.apple.AppKit              0x9145edeb -[NSThemeFrame _drawUnifiedToolbar:] + 874
    16  com.apple.AppKit              0x9145e7f3 -[NSThemeFrame _drawTitleBar:] + 673
    17  com.apple.AppKit              0x912a11cf -[NSThemeFrame _drawFrameInterior:clip:] + 125
    18  com.apple.AppKit              0x912a0dd9 -[NSThemeFrame drawFrame:] + 119
    19  com.apple.AppKit              0x9145e515 -[NSFrameView drawRect:] + 765
    20  com.apple.AppKit              0x9145dc5f -[NSThemeFrame drawRect:] + 107
    21  com.apple.AppKit              0x9126f6c9 -[NSView _drawRect:clip:] + 3717
    22  com.apple.AppKit              0x9129eae6 -[NSView _recursiveDisplayAllDirtyWithLockFocus:visRect:] + 1958
    23  com.apple.AppKit              0x9126d026 -[NSView _recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectFor View:topView:] + 708
    24  com.apple.AppKit              0x9126c627 -[NSThemeFrame _recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectFor View:topView:] + 259
    25  com.apple.AppKit              0x91267caa -[NSView _displayRectIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:] + 4817
    26  com.apple.AppKit              0x91260bd9 -[NSView displayIfNeeded] + 1365
    27  com.apple.AppKit              0x9138081b -[NSThemeFrame handleSetFrameCommonRedisplay] + 233
    28  com.apple.AppKit              0x913220b8 -[NSWindow _setFrameCommon:display:stashSize:] + 2253
    29  com.apple.AppKit              0x913217e6 -[NSWindow setFrame:display:] + 71
    30  com.apple.AppKit              0x913c5049 -[NSWindow _setFrameAfterMove:] + 496
    31  com.apple.AppKit              0x913c4e3f -[NSWindow _windowMovedToRect:] + 261
    32  com.apple.AppKit              0x9195152d -[NSWindow _getPositionFromServer] + 100
    33  com.apple.AppKit              0x919542a8 -[NSWindow _initFromGlobalWindow:inRect:styleMask:] + 350
    34  com.apple.RemoteViewServices  0x94640ff9 -[NSRemoteWindowController _remoteHostDidGrantRights:] + 335
    35  com.apple.RemoteViewServices  0x946409a4 __58-[NSRemoteWindowController _handleReplySetupSharedWindow:]_block_invoke_0 + 43
    36  com.apple.CoreGraphics        0x935c740b _WindowRightsGrantOfferedNotificationHandler + 678
    37  com.apple.CoreGraphics        0x93400a3b CGSPostLocalNotification + 218
    38  com.apple.CoreGraphics        0x934cdcfd notifyDatagramHandler + 265
    39  com.apple.CoreGraphics        0x934cda25 CGSDispatchDatagramsFromStream + 316
    40  com.apple.CoreGraphics        0x934cd594 snarfEvents + 481
    41  com.apple.CoreGraphics        0x934cd247 CGSGetNextEventRecordInternal + 127
    42  com.apple.CoreGraphics        0x93520180 CGEventCreateNextEvent + 40
    43  com.apple.HIToolbox           0x9b5a744e _ZL38PullEventsFromWindowServerOnConnectionjh + 69
    44  com.apple.CoreFoundation      0x9585ad0a __CFMachPortPerform + 346
    45  com.apple.CoreFoundation      0x9585ab91 __CFRUNLOOP_IS_CALLING_OUT_TO_A_SOURCE1_PERFORM_FUNCTION__ + 49
    46  com.apple.CoreFoundation      0x9585a7bb __CFRunLoopDoSource1 + 155
    47  com.apple.CoreFoundation      0x95893e01 __CFRunLoopRun + 2193
    48  com.apple.CoreFoundation      0x958931dc CFRunLoopRunSpecific + 332
    49  com.apple.CoreFoundation      0x958a3f01 CFRunLoopRun + 129
    50  com.apple.RemoteViewServices  0x9463b7c8 -[NSRemoteSavePanel runModal] + 322
    51  com.apple.RemoteViewServices  0x9463ef05 -[NSRemoteSavePanel runModalForDirectory:file:types:] + 110
    52  com.apple.RemoteViewServices  0x9463ec94 -[NSRemoteSavePanel runModalForDirectory:file:] + 55
    53  com.apple.print.framework.Print.Private 0x1990afa3 AskUserForFile + 420
    54  com.apple.print.framework.Print.Private 0x1991977d 0x198f7000 + 141181
    55  com.apple.print.framework.Print.Private 0x1991ea91 0x198f7000 + 162449
    56  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    57  com.apple.AppKit              0x91329663 -[NSApplication sendAction:to:from:] + 232
    58  com.apple.AppKit              0x9141ccaf -[NSMenuItem _corePerformAction] + 536
    59  com.apple.AppKit              0x9141c92c -[NSCarbonMenuImpl performActionWithHighlightingForItemAtIndex:] + 171
    60  com.apple.AppKit              0x9141bfb5 -[NSMenu _performActionWithHighlightingForItemAtIndex:sendAccessibilityNotification:] + 79
    61  com.apple.AppKit              0x916f7ef7 -[NSMenu performActionForItemAtIndex:] + 65
    62  com.apple.AppKit              0x916f7f2a -[NSMenu _internalPerformActionForItemAtIndex:] + 45
    63  com.apple.AppKit              0x916fc15b -[NSMenuItem _internalPerformActionThroughMenuIfPossible] + 106
    64  com.apple.AppKit              0x91562670 -[NSCarbonMenuImpl _carbonCommandProcessEvent:handlerCallRef:] + 172
    65  com.apple.AppKit              0x91392246 NSSLMMenuEventHandler + 452
    66  com.apple.HIToolbox           0x9b71cc0c _InvokeEventHandlerUPP(OpaqueEventHandlerCallRef*, OpaqueEventRef*, void*, long (*)(OpaqueEventHandlerCallRef*, OpaqueEventRef*, void*)) + 36
    67  com.apple.HIToolbox           0x9b598313 _ZL23DispatchEventToHandlersP14EventTargetRecP14OpaqueEventRefP14HandlerCallRec + 1602
    68  com.apple.HIToolbox           0x9b597790 _ZL30SendEventToEventTargetInternalP14OpaqueEventRefP20OpaqueEventTargetRefP14H andlerCallRec + 482
    69  com.apple.HIToolbox           0x9b5ac571 SendEventToEventTarget + 76
    70  com.apple.HIToolbox           0x9b71d0d0 _ZL18SendHICommandEventmPK9HICommandmmhPKvP20OpaqueEventTargetRefS5_PP14OpaqueE ventRef + 482
    71  com.apple.HIToolbox           0x9b71d13a SendMenuCommandWithContextAndModifiers + 70
    72  com.apple.HIToolbox           0x9b78898d SendMenuItemSelectedEvent + 275
    73  com.apple.HIToolbox           0x9b5e8d79 _ZL19FinishMenuSelectionP13SelectionDataP10MenuResultS2_ + 129
    74  com.apple.HIToolbox           0x9b778752 _ZL19PopUpMenuSelectCoreP8MenuData5PointdS1_tjPK4RecttmS4_S4_PK10__CFStringPP13 OpaqueMenuRefPt + 1898
    75  com.apple.HIToolbox           0x9b778a20 _HandlePopUpMenuSelection7 + 639
    76  com.apple.AppKit              0x91565aa2 _NSSLMPopUpCarbonMenu3 + 4532
    77  com.apple.AppKit              0x9198ab4c _NSPopUpCarbonMenu3 + 107
    78  com.apple.AppKit              0x91563754 -[NSCarbonMenuImpl popUpMenu:atLocation:width:forView:withSelectedItem:withFont:withFlags:withOpti ons:] + 425
    79  com.apple.AppKit              0x91787b78 -[NSPopUpButtonCell trackMouse:inRect:ofView:untilMouseUp:] + 610
    80  com.apple.AppKit              0x91327243 -[NSControl mouseDown:] + 943
    81  com.apple.AppKit              0x912f0dcd -[NSWindow sendEvent:] + 7533
    82  com.apple.AppKit              0x91289f77 -[NSApplication sendEvent:] + 4788
    83  com.apple.iLifeKit            0x0201dc9b -[iLifeKit sendEvent:] + 55
    84  com.apple.iPhoto              0x0012c344 0xac000 + 525124
    85  com.apple.AppKit              0x914f1662 -[NSApplication _modalSession:sendEvent:] + 550
    86  com.apple.AppKit              0x914f122c -[NSApplication _realDoModalLoop:peek:] + 638
    87  com.apple.AppKit              0x914ec481 -[NSApplication _doModalLoop:peek:] + 69
    88  com.apple.AppKit              0x914f0f08 -[NSApplication runModalForWindow:] + 258
    89  com.apple.AppKit              0x91794a93 -[NSPrintPanel runModalWithPrintInfo:] + 621
    90  com.apple.AppKit              0x917929ec -[NSConcretePrintOperation runOperation] + 333
    91  com.apple.iPhoto              0x00363141 0xac000 + 2847041
    92  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    93  com.apple.AppKit              0x91329663 -[NSApplication sendAction:to:from:] + 232
    94  com.apple.AppKit              0x91329540 -[NSControl sendAction:to:] + 102
    95  com.apple.AppKit              0x91329443 -[NSCell _sendActionFrom:] + 160
    96  com.apple.AppKit              0x91328800 -[NSCell trackMouse:inRect:ofView:untilMouseUp:] + 2295
    97  com.apple.AppKit              0x913aba95 -[NSButtonCell trackMouse:inRect:ofView:untilMouseUp:] + 501
    98  com.apple.AppKit              0x91327243 -[NSControl mouseDown:] + 943
    99  com.apple.AppKit              0x912f0dcd -[NSWindow sendEvent:] + 7533
    100 com.apple.AppKit              0x91289f77 -[NSApplication sendEvent:] + 4788
    101 com.apple.iLifeKit            0x0201dc9b -[iLifeKit sendEvent:] + 55
    102 com.apple.iPhoto              0x0012c344 0xac000 + 525124
    103 com.apple.AppKit              0x9121bb21 -[NSApplication run] + 1007
    104 com.apple.AppKit              0x914acac5 NSApplicationMain + 1054
    105 com.apple.iPhoto              0x000bbc99 0xac000 + 64665
    106 com.apple.iPhoto              0x000bb2e5 0xac000 + 62181
    Thread 1:: Dispatch queue: com.apple.libdispatch-manager
    0   libsystem_kernel.dylib        0x9a596b5e __select_nocancel + 10
    1   libdispatch.dylib             0x96b4ecbd _dispatch_mgr_invoke + 642
    2   libdispatch.dylib             0x96b4d853 _dispatch_mgr_thread + 53
    Thread 2:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 3:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 4:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 5:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 6:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 7:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 8:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 9:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.RedRock             0x023e748f -[RKAsyncImageRenderer _backgroundRenderThread:] + 173
    7   com.apple.CoreFoundation      0x958fb1aa -[NSObject performSelector:] + 58
    8   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    9   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    10  com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    11  com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    12  com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    13  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    14  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    15  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    16  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    17  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 10:
    0   libsystem_kernel.dylib        0x9a595e12 __accept + 10
    1   com.apple.iPhoto              0x004a424d 0xac000 + 4162125
    2   com.apple.iPhoto              0x004ee651 0xac000 + 4466257
    3   com.apple.iPhoto              0x004ee5be 0xac000 + 4466110
    4   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    5   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 11:: com.apple.CFSocket.private
    0   libsystem_kernel.dylib        0x9a596b42 __select + 10
    1   com.apple.CoreFoundation      0x958e1e15 __CFSocketManager + 1557
    2   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    3   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 12:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.Foundation          0x9970fbe8 -[NSCondition wait] + 304
    4   com.apple.iPhoto              0x000fda64 0xac000 + 334436
    5   com.apple.iPhoto              0x000fd672 0xac000 + 333426
    6   com.apple.CoreFoundation      0x958f5a9d __invoking___ + 29
    7   com.apple.CoreFoundation      0x958f59d9 -[NSInvocation invoke] + 137
    8   com.apple.RedRock             0x0240385b -[RKInvoker _invokeTarget:] + 33
    9   com.apple.RedRock             0x024145f4 -[RKInvoker _invokeTargetWithPool:] + 68
    10  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    11  com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    12  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    13  com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    14  com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    15  com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    16  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    17  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    18  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    19  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    20  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 13:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.CoreServices.CarbonCore 0x9279e3a7 TSWaitOnConditionTimedRelative + 178
    4   com.apple.CoreServices.CarbonCore 0x9279e11d TSWaitOnSemaphoreCommon + 490
    5   com.apple.CoreServices.CarbonCore 0x9279df2e TSWaitOnSemaphoreRelative + 24
    6   com.apple.QuickTimeComponents.component 0x9736a16a 0x96d7d000 + 6213994
    7   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    8   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 14:: CVDisplayLink
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.CoreVideo           0x97f120cd CVDisplayLink::runIOThread() + 945
    4   com.apple.CoreVideo           0x97f11d05 _ZL13startIOThreadPv + 160
    5   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    6   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 15:: jpegdecompress_MPLoop
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x9940182a pthread_cond_wait + 48
    3   com.apple.QuickTimeComponents.component 0x9748c467 0x96d7d000 + 7402599
    4   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    5   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 16:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e78 _pthread_cond_wait + 914
    2   libsystem_c.dylib             0x99459f7b pthread_cond_timedwait_relative_np + 47
    3   com.apple.Foundation          0x997403c3 -[NSCondition waitUntilDate:] + 427
    4   com.apple.Foundation          0x997067d2 -[NSConditionLock lockWhenCondition:beforeDate:] + 294
    5   com.apple.Foundation          0x997066a6 -[NSConditionLock lockWhenCondition:] + 69
    6   com.apple.proxtcore           0x01dace12 -[XTMsgQueue waitForMessage] + 47
    7   com.apple.proxtcore           0x01dabefa -[XTThread run:] + 412
    8   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    9   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    10  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    11  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 17:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.iPhoto              0x005acdd1 0xac000 + 5246417
    4   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    5   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    6   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    7   com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    8   com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    9   com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    10  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    11  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    12  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    13  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    14  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 18:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.iPhoto              0x00175872 0xac000 + 825458
    4   com.apple.CoreFoundation      0x958f5a9d __invoking___ + 29
    5   com.apple.CoreFoundation      0x958f59d9 -[NSInvocation invoke] + 137
    6   com.apple.RedRock             0x0240385b -[RKInvoker _invokeTarget:] + 33
    7   com.apple.RedRock             0x024145f4 -[RKInvoker _invokeTargetWithPool:] + 68
    8   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    9   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    10  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    11  com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    12  com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    13  com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    14  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    15  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    16  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    17  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    18  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 19:: Dispatch queue: com.apple.root.default-priority
    0   libsystem_kernel.dylib        0x9a594c76 semaphore_timedwait_trap + 10
    1   libdispatch.dylib             0x96b50a55 _dispatch_semaphore_wait_slow + 274
    2   libdispatch.dylib             0x96b50ab4 dispatch_semaphore_wait + 36
    3   com.apple.RemoteViewServices  0x9463a725 __54-[NSRemoteSavePanel _runOrderingOperationWithContext:]_block_invoke_0345 + 79
    4   libdispatch.dylib             0x96b4cfbd _dispatch_call_block_and_release + 15
    5   libdispatch.dylib             0x96b4e01c _dispatch_worker_thread2 + 231
    6   libsystem_c.dylib             0x99457b24 _pthread_wqthread + 346
    7   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 20:
    0   libsystem_kernel.dylib        0x9a59702e __workq_kernreturn + 10
    1   libsystem_c.dylib             0x99457ccf _pthread_wqthread + 773
    2   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 21:
    0   libsystem_kernel.dylib        0x9a59702e __workq_kernreturn + 10
    1   libsystem_c.dylib             0x99457ccf _pthread_wqthread + 773
    2   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 22:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.iPhoto              0x005acdd1 0xac000 + 5246417
    4   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    5   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    6   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    7   com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    8   com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    9   com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    10  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    11  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    12  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    13  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    14  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 23:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.iPhoto              0x00175872 0xac000 + 825458
    4   com.apple.CoreFoundation      0x958f5a9d __invoking___ + 29
    5   com.apple.CoreFoundation      0x958f59d9 -[NSInvocation invoke] + 137
    6   com.apple.RedRock             0x0240385b -[RKInvoker _invokeTarget:] + 33
    7   com.apple.RedRock             0x024145f4 -[RKInvoker _invokeTargetWithPool:] + 68
    8   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    9   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    10  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    11  com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    12  com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    13  com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    14  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    15  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    16  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    17  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    18  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 24:
    0   libsystem_kernel.dylib        0x9a59683e __psynch_cvwait + 10
    1   libsystem_c.dylib             0x99459e21 _pthread_cond_wait + 827
    2   libsystem_c.dylib             0x9940a42c pthread_cond_wait$UNIX2003 + 71
    3   com.apple.iPhoto              0x001bb758 0xac000 + 1111896
    4   com.apple.CoreFoundation      0x958f5a9d __invoking___ + 29
    5   com.apple.CoreFoundation      0x958f59d9 -[NSInvocation invoke] + 137
    6   com.apple.RedRock             0x0240385b -[RKInvoker _invokeTarget:] + 33
    7   com.apple.RedRock             0x024145f4 -[RKInvoker _invokeTargetWithPool:] + 68
    8   com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    9   com.apple.proxtcore           0x01db5df9 -[XTThreadSendOnlyDetached _detachedMessageHandler:] + 167
    10  com.apple.CoreFoundation      0x958f2d11 -[NSObject performSelector:withObject:] + 65
    11  com.apple.proxtcore           0x01dae22c -[XTSubscription postMessage:] + 191
    12  com.apple.proxtcore           0x01dadaef -[XTDistributor distributeMessage:] + 681
    13  com.apple.proxtcore           0x01dad313 -[XTThread handleMessage:] + 515
    14  com.apple.proxtcore           0x01dabf10 -[XTThread run:] + 434
    15  com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    16  com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    17  libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    18  libsystem_c.dylib             0x994596de thread_start + 34
    Thread 25:: com.apple.appkit-heartbeat
    0   libsystem_kernel.dylib        0x9a596bb2 __semwait_signal + 10
    1   libsystem_c.dylib             0x9940a7b9 nanosleep$UNIX2003 + 187
    2   libsystem_c.dylib             0x9940a558 usleep$UNIX2003 + 60
    3   com.apple.AppKit              0x914646da -[NSUIHeartBeat _heartBeatThread:] + 2399
    4   com.apple.Foundation          0x9970de25 -[NSThread main] + 45
    5   com.apple.Foundation          0x9970ddd5 __NSThread__main__ + 1582
    6   libsystem_c.dylib             0x99455ed9 _pthread_start + 335
    7   libsystem_c.dylib             0x994596de thread_start + 34
    Thread 26:
    0   libsystem_kernel.dylib        0x9a59702e __workq_kernreturn + 10
    1   libsystem_c.dylib             0x99457ccf _pthread_wqthread + 773
    2   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 27:
    0   libsystem_kernel.dylib        0x9a59702e __workq_kernreturn + 10
    1   libsystem_c.dylib             0x99457ccf _pthread_wqthread + 773
    2   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 28:
    0   libsystem_kernel.dylib        0x9a59702e __workq_kernreturn + 10
    1   libsystem_c.dylib             0x99457ccf _pthread_wqthread + 773
    2   libsystem_c.dylib             0x994596fe start_wqthread + 30
    Thread 0 crashed with X86 Thread State (32-bit):
      eax: 0x00000540  ebx: 0x15675480  ecx: 0x00000150  edx: 0x00000004
      edi: 0x0000ffff  esi: 0xc8fc0000  ebp: 0xc009f508  esp: 0xc009f460
       ss: 0x00000023  efl: 0x00010246  eip: 0x93976aec   cs: 0x0000001b
       ds: 0x00000023   es: 0x00000023   fs: 0x00000000   gs: 0x0000000f
      cr2: 0xc8fc0000
    Logical CPU: 0
    Binary Images:
       0xac000 -   0xd98feb  com.apple.iPhoto (9.4.2 - 9.4.2) <3AC6405B-33E2-3184-9F20-4C9CC5256A3A> /Applications/iPhoto.app/Contents/MacOS/iPhoto
      0xf2a000 -  0x100afe7  org.python.python (2.6.7 - 2.6.7) <61DBA92A-C39A-3A52-86F2-59CF9D310CB4> /System/Library/Frameworks/Python.framework/Versions/2.6/Python
    0x1056000 -  0x105efff  com.apple.PhotoFoundation (1.0 - 10.17) <D48FDC95-21FC-328C-9F4F-89C28A260C2D> /Applications/iPhoto.app/Contents/Frameworks/PhotoFoundation.framework/Versions /A/PhotoFoundation
    0x10cf000 -  0x12abffb  com.apple.geode (1.5.3 - 270.7) <DFD97416-FD86-3AF1-BFF0-79A47DADE257> /Applications/iPhoto.app/Contents/Frameworks/Geode.framework/Versions/A/Geode
    0x133a000 -  0x133fff7  com.apple.iLifePhotoStreamConfiguration (3.4 - 2.5) <65A74F18-5020-31EC-B7E9-EBC14E2D9CA1> /Applications/iPhoto.app/Contents/Frameworks/iLifePhotoStreamConfiguration.fram ework/Versions/A/iLifePhotoStreamConfiguration
    0x1347000 -  0x1376ff7  com.apple.iLifeAssetManagement (2.7 - 40.34) <2B65BA8A-2C25-360D-B50E-0A9EECA1CE57> /Applications/iPhoto.app/Contents/Frameworks/iLifeAssetManagement.framework/Ver sions/A/iLifeAssetManagement
    0x139b000 -  0x13c2ff3  com.apple.iPhoto.Tessera (1.1 - 70.18) <F190FD9B-9CC9-3D4D-9744-113F7CA36097> /Applications/iPhoto.app/Contents/Frameworks/Tessera.framework/Versions/A/Tesse ra
    0x13d6000 -  0x13faffb  com.apple.iPhoto.Tellus (1.3 - 70.18) <768463A7-60B4-3D50-B36B-D6E5AFA43DC9> /Applications/iPhoto.app/Contents/Frameworks/Tellus.framework/Versions/A/Tellus
    0x1411000 -  0x141cfff  com.apple.iphoto.AccountConfigurationPlugin (1.2 - 1.2) <86E53BF3-BCAD-36F9-999B-013E359EF079> /Applications/iPhoto.app/Contents/Frameworks/AccountConfigurationPlugin.framewo rk/Versions/A/AccountConfigurationPlugin
    0x1427000 -  0x143cffb  com.apple.iLifeFaceRecognition (1.0 - 30.11) <4A781CBF-9764-3531-91E0-94C5B4DFCFDF> /Applications/iPhoto.app/Contents/Frameworks/iLifeFaceRecognition.framework/Ver sions/A/iLifeFaceRecognition
    0x1448000 -  0x1474ffb  com.apple.DiscRecordingUI (6.0.4 - 6040.4.1) <F3EDDD79-611F-3ECC-9B78-0AB8BAC0D446> /System/Library/Frameworks/DiscRecordingUI.framework/Versions/A/DiscRecordingUI
    0x1490000 -  0x1492fff  com.apple.ExceptionHandling (1.5 - 10) <6CA9446C-7EF9-35EE-BDF2-AA8D51E93E9E> /System/Library/Frameworks/ExceptionHandling.framework/Versions/A/ExceptionHand ling
    0x149b000 -  0x14a6ff7  com.apple.UpgradeChecker (9.2 - 9.2) <D34CC218-8200-34D7-816C-B747EE4BF5F7> /Applications/iPhoto.app/Contents/Frameworks/UpgradeChecker.framework/Versions/ A/UpgradeChecker
    0x14b2000 -  0x184bff3  com.apple.iLifeSlideshow (3.1 - 1151.4) <B03978EF-A395-30D4-833B-7C474E1F5F12> /Applications/iPhoto.app/Contents/Frameworks/iLifeSlideshow.framework/Versions/ A/iLifeSlideshow
    0x1948000 -  0x1bd9ff3  com.apple.iLifePageLayout (1.3 - 200.9) <067ACE80-5B73-39EE-850B-E392F6573AAC> /Applications/iPhoto.app/Contents/Frameworks/iLifePageLayout.framework/Versions /A/iLifePageLayout
    0x1cb5000 -  0x1d4cff7  com.apple.MobileMe (13 - 1.0.4) <5E6C6DEC-1F48-358F-8117-40FAAEB8AFAD> /Applications/iPhoto.app/Contents/Frameworks/MobileMe.framework/Versions/A/Mobi leMe
    0x1da8000 -  0x1e10ff3  com.apple.proxtcore (1.4.1 - 250.56) <BBADA727-FB78-32AF-8D45-4498F68343A7> /Applications/iPhoto.app/Contents/Frameworks/ProXTCore.framework/Versions/A/Pro XTCore
    0x1e52000 -  0x1f50ff7  com.apple.iLifeSQLAccess (1.7.1 - 60.5) <845C6292-8EC2-3B4A-8E2E-8D98986148C2> /Applications/iPhoto.app/Contents/Frameworks/iLifeSQLAccess.framework/Versions/ A/iLifeSQLAccess
    0x1f99000 -  0x1fc4ffb  com.apple.ProUtils (1.1 - 200.36) <E286BD1F-0BE8-3151-B758-89870AB4AC89> /Applications/iPhoto.app/Contents/Frameworks/ProUtils.framework/Versions/A/ProU tils
    0x1fde000 -  0x2049fff  com.apple.iLifeKit (1.3.1 - 156.11) <F93283F4-046D-3653-9607-8B0F850E6318> /Applications/iPhoto.app/Contents/Frameworks/iLifeKit.framework/Versions/A/iLif eKit
    0x208e000 -  0x22b6ff7  com.apple.prokit (7.2.3 - 1823) <0FEDF2D7-F31A-36F2-91A9-C03877B0CB46> /System/Library/PrivateFrameworks/ProKit.framework/Versions/A/ProKit
    0x23c4000 -  0x28f0ffb  com.apple.RedRock (1.9.4 - 310.33) <548258F5-3AE9-3AD4-B986-A9674D131164> /Applications/iPhoto.app/Contents/Frameworks/RedRock.framework/Versions/A/RedRo ck
    0x2aee000 -  0x2b04ffb  com.apple.AOSAccounts (1.0.2 - 1.0.71) <13763832-1B2B-32E8-95BC-C23A627E6DD4> /System/Library/PrivateFrameworks/AOSAccounts.framework/Versions/A/AOSAccounts
    0x2b19000 -  0x2b53ff3  com.apple.Ubiquity (1.1 - 210.2) <F8426ABA-BB3F-3A48-BF4E-9A0F6C12634F> /System/Library/PrivateFrameworks/Ubiquity.framework/Versions/A/Ubiquity
    0x2b6e000 -  0x2b6eff6  com.apple.SafariDAVNotifier (1.1.1 - 1) <DE95A56E-E2C8-3D96-B628-4DC6FA6CDD39> /System/Library/PrivateFrameworks/BookmarkDAV.framework/Versions/A/Frameworks/S afariDAVNotifier.framework/Versions/A/SafariDAVNotifier
    0x2b74000 -  0x2b95ff7  com.apple.ChunkingLibrary (1.0 - 127.2) <8C1C8488-71E4-3C13-AF75-95CF06C040A3> /System/Library/PrivateFrameworks/ChunkingLibrary.framework/Versions/A/Chunking Library
    0x2ba1000 -  0x2ba3fff  com.apple.LibraryRepair (1.0 - 1) <8D2DE423-2226-395A-9D90-3C43911F8613> /System/Library/PrivateFrameworks/LibraryRepair.framework/Versions/A/LibraryRep air
    0x2bab000 -  0x2c05fff  com.apple.proapps.MIO (1.0.6 - 512) <8321DF77-4AD8-376B-9465-83F471AA61D2> /Applications

    It crashes when I down load pictures and then try to use them. Converting a jpg to a pdf usually triggers a crash.
    Are you using the "Print to PDF" dialogue to convert your jpegs to pdf?
    In addition to OT's test, you might also check, if using a different "Theme" for printing will avoid the crash:
    14  com.apple.AppKit               0x912a52e4 _NSDrawThemeBackground + 1429
    15  com.apple.AppKit               0x9145edeb -[NSThemeFrame
    You crashlog shows, that iPhoto crashes, when trying to draw the "Print" theme background. There could be a problem wit the installed themes. Can you convert any jpegs to pdf, not only the jpegs downloaded from your iPad?
    Léonie

  • Starting just today, when I send an e-mail to a group of friend using BCC, Thunderbird tacks on [Bulk] to my subject. How do I prevent that?

    Starting just today, when I send an e-mail to a group of friend using BCC, Thunderbird tacks on [Bulk] to my subject. How do I prevent that?
    Bill Gray
    [email protected]

    Thunderbird does not modify subject lines. Check your antivirus software or email providers spam filters.

Maybe you are looking for