Sometimes report return rows sometimes not

Hello everybody,
well, I'm using apex 4.0.2 and I have a simple report returning values from my table, like this:
SELECT '1',
SYSDATE
FROM DUAL;
But, if I refresh the page with the key F5 or mannually the report doesn't return any rows. If I refresh the page again, after five moments the report normally return the rows.
This is a bug of the Apex? Because if I put the same code in the SQLPLUS the problem desappears. I don't know how can I resolve this. Thank you in advice.
At.
Raul Welter

Hello everybody,
well, I'm using apex 4.0.2 and I have a simple report returning values from my table, like this:
SELECT '1',
SYSDATE
FROM DUAL;
But, if I refresh the page with the key F5 or mannually the report doesn't return any rows. If I refresh the page again, after five moments the report normally return the rows.
This is a bug of the Apex? Because if I put the same code in the SQLPLUS the problem desappears. I don't know how can I resolve this. Thank you in advice.
At.
Raul Welter

Similar Messages

  • Portal report - If rows returned are 1 greater than max,last row not shown

    We are experiencing what appears to be a bug with reports developed from a locally built Provider in Portal...
    If my "maximum rows to return" is set to 20, and my search returns 21 rows/results, the "next" button to navigate to the last row does not appear. Therefore, the last row is not returned to the user....
    We have been able to duplicate this with any number... For example, if we set the "max rows to be returned" to 59, and our results come back with 60 rows, neither the "next" button or last row are returned...
    Bug by chance?
    Thanks in advance for any help offered....
    ~Chris

    Hi Varsha,
    Please pay attention when you are requesting motnly period for
    start date : 1st July 2008
    end date : 1st july 2008
    After saving the period is changed to
    Start Date : 7/1/2008
    End Date  : 7/31/2008
    When you are requesting weekly period for the same interval, after sving the dates are changed again, according
    you settings of first day of the week. It it is Monday it could be as following
    Start Date : 6/30/2008
    End Date  : 7/6/2008
    So you are asking data for not quite the same period.
    Do you have data for monthly period in that interval?
    Regards,
    Victoria Gur

  • 10g: BI Beans Graph sometimes not shown

    Hi,
    I have an ADF 10g BC jsf application which includes a graph (BI Beans Graph version [3.2.2.0.24]). Next to the graph is a selectable legend. The use case is as follows:
    The graph shows the forecast algorithms for the selected material.
    By default, the AlgorithmUser and AlgorithmSystem should be selected. There has to be a legend containing a selection box for every algorithm that should be selectable on the graph. By default algorithms SFA and AF should be selected
    All shoud work synchroneously:
    -     When next, previous or a material from the listbox is selected, than the graph and legend should be updated with new algorithmUser and algorithmSystem
    -     When an other algorithmUser is selected, this should be directly visible on the graph and legend
    -     When checkboxes on the graph are clicked, the graph should update and show the corresponding algorithms.
    This is implemented as follows:
    1.     The first thing needed is something to keep track of the selected algorithms. For this, we create a new Set in the application module together with the get accessor.
    private Set<String> currentGraphData = new HashSet<String>();
    public Set<String> getCurrentGraphData() {
    return currentGraphData;
    Expose the accessor in the application module.
    2.     Now, this set should be filled with AF, SFA, algorithmSystem and algorithmUser when we move to the next, previous, first, last record, or by selecting a record by its index. To add this behaviour, open the VAdfLtf3SyfMaterialsViewImpl.java.
    Add helper method:
    private void updateAlgorithmList(Row row) {
    if (row != null) {
    String algoUser = (String)row.getAttribute("AlgorithmUser");
    String algoSystem = (String)row.getAttribute("AlgorithmSystem");
    FCSyfReviewModule mod = (FCSyfReviewModule)this.getApplicationModule();
    Set data = mod.getCurrentGraphData();
    data.clear();
    data.add("SFA");
    data.add("AF");
    data.add(algoUser);
    data.add(algoSystem);
    This will insert the four default algorithms into the set when there is a current row (if the dataset is empty, there is no need to add the default algorithms)
    Call the helper method for next, previous, … as mentioned above:
    public boolean setCurrentRowAtRangeIndex(int i) {
    boolean result = super.setCurrentRowAtRangeIndex(i);
    updateAlgorithmList(getCurrentRow());
    return result;
    public boolean setCurrentRow(Row row) {
    updateAlgorithmList(row);
    return super.setCurrentRow(row);
    public Row next() {
    Row row = super.next();
    updateAlgorithmList(row);
    return row;
    public Row first() {
    Row row = super.first();
    updateAlgorithmList(row);
    return row;
    public Row last() {
    Row row = super.last();
    updateAlgorithmList(row);
    return row;
    public Row previous() {
    Row row = super.previous();
    updateAlgorithmList(row);
    return row;
    So, if we now select an other record in any thinkable way, the Set will contain the correct four default algorithms.
    3.     Now, we need only the graph data for the algorithms set in the Set. For this, open the Ltf3AdfSyfGraphDataRowImp.java
    Add the following helper method
    private boolean showData(String algorithm){
    FCSyfReviewModule am = (FCSyfReviewModule)this.getApplicationModule();
    Set set = am.getCurrentGraphData();
    return set.contains(algorithm);
    This method will take an algorithm code as input(MA3, MA6, EXP, PZD3, …) and returns true if it is in the Set.
    Now, update the getMethods of all algorithms to use this helper method:
    public Number getVolMa3() {
    return showData("MA3")?(Number) getAttributeInternal(VOLMA3):null;
    4.     Finally, the clickable legend has to be defined.
    For this, create a new view object: Ltf3AdfSyfGraphLegend. Select ‘Rows Populated Progra;;atically, not Based on a Query’ Create a transient updatable attribute for every legend that can be selected. The transient attribute should be of type Boolean.
    For query statement, enter “Select 1 from dual” a query has to be defined to make sure that the getters/setters are called on the userinterface page.
    Create two new helper methods:
    public Boolean getLegend(String algorithm) {
    FCSyfReviewModule am = (FCSyfReviewModule)this.getApplicationModule();
    Set set = am.getCurrentGraphData();
    return set.contains(algorithm);
    public void updateLegend(int AttributeId, Boolean value, String algorithm){
    FCSyfReviewModule am = (FCSyfReviewModule)this.getApplicationModule();
    Set set = am.getCurrentGraphData();
    if (value.booleanValue())
    set.add(algorithm);
    else
    set.remove(algorithm);
    The first one will return true when the parameter algorithm is available in the Set. The getter methods will use this method.
    The second one will update the Set object. If the value is true, than this means that it was false before, so the algorithm needs to be added to the set. If the value is false, than it was true before, and the algorithm needs to be removed from the set.
    Now, getters and setters can be implemented as shown below.
    public Boolean getMA3() {
    return getLegend("MA3");
    public void setMA3(Boolean value) {
    updateLegend(value, "MA3");
    and so on..
    5.     Now, all logic is implemented. The only thing to do is to drag drop the components on the screen and update partial triggers:
    a.     Drop materials as form
    i.     bind algorithmUser to LOV and give it id algoUserList
    b.     Create detail graph (see tutorial on graphs)
    c.     Create previous and next button.
    d.     Drop GraphLegend as ADF form
    i.     By default all attributes are created as inputText, convert them all to SelectBooleanCheckbox, give every checkbox an id (use name of the algorithm for simplicity)
    e.     Drop materials as navigation list, give it ID matList
    f.     Set partial triggers
    i.     On panelGroup surrounding the graph, add partial triggers from legend id’s, matList and algoUserList and prev/next button
    ii.     On panelGroup surrounding the legend, add triggers: matList and algoUserList and prev/next button
    Now, here is my problem: When this application is deployed on a server, this works fine most of the time. But sometimes when I click a legend the graph image just disappears. But when I reclick twice the graph is correctly shown. Can someone tell what the cause of this problem could be (rendering delay???).

    dont worry too much about
    oracle.dss.graph.GraphModelAdapter::setSupportedDataLayerFlags (): Current DataSource does not support requested type: MetadataMap.METADATA_VIEWSTYLE
    its not a real error message more a warning one
    have you looked at addiotional trace files and have other trace/warning/error messages ?
    is your server running under unix and if so, is your display variable set ?
    regards,
    thomas

  • Group Above Report problem...not able to display absent rows in date range

    In my report query, I have numerous select statements that I must union together and group by a date. The ultimate goal is to get a count for all records in coordination with that date. Then in the report, I group all the data with the same date to ultimately put all counts on a page that coordinate with a single date.
    Thing is...if there are no records associated with that date, the 'group by' clause makes the return data set not include those lines of output. I need these lines of output! Any suggestions??
    Below is an example...
    Select 'Program1', 'SubProgram1', 'Label 1', to_char(receipt_date, 'MM/DD/RRRR'), count(*)
    from submissions
    where receipt_date between '01-JUN-05' and '10-JUN-05'
    and substr(submission_index,8,1) = '3'
    and substr(submission_index,9,1) = '1'
    group by substr(submission_index,8,1), substr(submission_index,9,1), to_char(receipt_date, 'MM/DD/RRRR')
    union
    Select 'Program2', 'SubProgram2', 'Label 2',
    to_char(receipt_date, 'MM/DD/RRRR'), count(*)
    from submissions
    where receipt_date between '01-JUN-05' and '10-JUN-05'
    and substr(submission_index,8,1) = '4' group by substr(submission_index,8,1), to_char(receipt_date, 'MM/DD/RRRR')
    OUTPUT:
    Program1 SubProgram1 Label 1 06/01/2005 4
    Program1 SubProgram1 Label 1 06/02/2005 2
    Program1 SubProgram1 Label 1 06/03/2005 6
    Program1 SubProgram1 Label 1 06/04/2005 23
    Program1 SubProgram1 Label 1 06/06/2005 71
    Program1 SubProgram1 Label 1 06/07/2005 245
    Program1 SubProgram1 Label 1 06/08/2005 76
    Program1 SubProgram1 Label 1 06/10/2005 45
    Program2 SubProgram2 Label 2 06/01/2005 66
    Program2 SubProgram2 Label 2 06/02/2005 345
    Program2 SubProgram2 Label 2 06/03/2005 89
    Program2 SubProgram2 Label 2 06/04/2005 12
    Program2 SubProgram2 Label 2 06/05/2005 3
    Program2 SubProgram2 Label 2 06/06/2005 27
    Program2 SubProgram2 Label 2 06/09/2005 98
    Program2 SubProgram2 Label 2 06/10/2005 456
    I need the missing lines to show up for Program 1 on 6/05 and 6/09
    and Program 2 on 6/07 and 6/08

    create table your_table (
        program     varchar2(20),
        subprogram  varchar2(20),
        label       varchar2(20),
        day         date,
        num         number
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('01-JUN-05'), 4);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('02-JUN-05'), 2);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('03-JUN-05'), 6);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('04-JUN-05'), 23);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('06-JUN-05'), 71);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('07-JUN-05'), 245);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('08-JUN-05'), 76);
    insert into your_table values ('Program1', 'SubProgram1', 'Label 1', to_date('10-JUN-05'), 45);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('01-JUN-05'), 66);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('02-JUN-05'), 345);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('03-JUN-05'), 89);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('04-JUN-05'), 12);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('05-JUN-05'), 3);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('06-JUN-05'), 27);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('09-JUN-05'), 98);
    insert into your_table values ('Program2', 'SubProgram2', 'Label 2', to_date('10-JUN-05'), 456);
    SELECT     yt.program
    ,           yt.subprogram
    ,           yt.label
    ,           nvl(yt.num,0)     NUM
    ,           days.date_value
    FROM     (     select  (to_date('11-JUN-05','DD-MON-YY') - day) date_value
                   from    (   select  rownum day            
                               from    dual            
                               connect by rownum < 11        
              )                    days
    ,          your_table          yt
    where   yt.day(+) = days.date_value
    order by yt.program, days.date_value
    PROGRAM          SUBPROGRAM     LABEL     NUM     DATE_VALUE
    Program1     SubProgram1     Label 1     4     6/1/2005
    Program1     SubProgram1     Label 1     2     6/2/2005
    Program1     SubProgram1     Label 1     6     6/3/2005
    Program1     SubProgram1     Label 1     23     6/4/2005
    Program1     SubProgram1     Label 1     71     6/6/2005
    Program1     SubProgram1     Label 1     245     6/7/2005
    Program1     SubProgram1     Label 1     76     6/8/2005
    Program1     SubProgram1     Label 1     45     6/10/2005
    Program2     SubProgram2     Label 2     66     6/1/2005
    Program2     SubProgram2     Label 2     345     6/2/2005
    Program2     SubProgram2     Label 2     89     6/3/2005
    Program2     SubProgram2     Label 2     12     6/4/2005
    Program2     SubProgram2     Label 2     3     6/5/2005
    Program2     SubProgram2     Label 2     27     6/6/2005
    Program2     SubProgram2     Label 2     98     6/9/2005
    Program2     SubProgram2     Label 2     456     6/10/2005The four null rows will not show up because the date is used at least once between program 1 or program 2. Will there only ever be two programs to chose from? Any one else got any ideas around this?

  • External hard drive sometimes not appearing in Finder

    I bought an external hard drive in a Smart Drive 2.5" HDD enclosure for use with my MacBook. Sometimes it works perfectly when I plug it into my USB, but sometimes it doesn't show in finder. If I wait for a long time it will usually show up eventually. When I verified the drive using Disk Utility (when the disk wasn't showing up in Finder) Disk Utility reported back: "error Could not unmount disk." Then the disk showed up in finder.
    What can I do to make this drive more reliable?

    Rather than just Verify this external drive, have you tried to 'repair' it?
    And, as previously asked, the format of the drive may have something
    to do with performance; and there also may be some corruption in it.
    If so, and you have removed all important data, you could use Disk Utility
    to reformat the external drive to HFS+ after repairing it; then repair again.
    And, if your USB cable is not getting an adequate connection, the external
    hard disk drive may also have issues. Whether or not an external drive has
    its own power supply, or relies on the computer's USB (or FW) bus power
    may also have something to do with how the unit responds. Both of my
    external hard disk drive units do not rely on computer power; that's best.
    Good luck & happy computing!

  • Why can I (sometimes) not boot until running AHT?

    Apologies for the strangely worded question - I'm very confused by this issue.
    I have a 15-inch early 2011 MBP. I've added a Vertex 4 SSD as the primary boot drive, keeping the stock HD as a second drive, and upgraded the ram to 2x4gb. Everything else is standard.
    Recently I started having problems with OSX freezing and shutting down, sometimes not booting back up successfully - I put it down to some dodgy graphics drivers I'd installed (was running very hot and I suspect overheating) so I backed up my user files and did a full reinstall. It seemed to be OK since then.
    Today I had problems again - I think after the battery ran out while I was using it (I don't know if this is related). It shut down and I'd get a grey screen indefinitely when I rebooted, and I just couldn't get back into OSX. These are the things I tried, roughly in the order I tried them:
    Performing a safe boot - I'd get the Apple logo and slider, which would progress roughly two thirds of the way in, then I'd get a blue screen
    Performing a verbose safe boot - unresponsive grey screen
    Booting from local recovery disk - unresponsive grey screen
    Resetting NVRAM - made no difference
    Resetting SMC - made no difference
    Booting to single user mode and running fsck until it comes back clean (no 'volume was modified' message) and restarting - no difference
    Trying to isolate any hardware problems - swapping out RAM, disconnecting secondary drive etc - no luck
    Finally - running network AHT (opt+D on startup) This didn't find any problems, but seemed to solve whatever problem I was having. I restarted after this and OSX came back up as if nothing had been happening.
    So my questions are these - I'd appreciate any insight even if they're not complete answers, because I can't figure out what's going on.
    What did AHT do that fixed my problem?
    Does that point to a hardware issue, even though the test came back OK?
    What can I do to prevent it happening again?
    Thanks!

    Thanks,
    Does this excerpt from the system log help? It seems to represent a (failed)boot attempt.
    There's a couple of things at the bottom that look a bit suspicious, but I don't know how to interpret them - ERROR: smcReadData8 failed for key B0PS and activation bcstop timer fired!
    Jul 22 10:56:46 localhost bootlog[0]: BOOT_TIME 1406019406 0
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.appstore" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.authd" sharing output destination "/var/log/system.log" with ASL Module "com.apple.asl".
      Output parameters from ASL Module "com.apple.asl" override any specified in ASL Module "com.apple.authd".
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.authd" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.bookstore" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.eventmonitor" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.install" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.iokit.power" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.mail" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.MessageTracer" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.performance" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 localhost syslogd[17]: Configuration Notice:
      ASL Module "com.apple.securityd" claims selected messages.
      Those messages may not appear in standard system log files or in the ASL database.
    Jul 22 10:56:48 --- last message repeated 6 times ---
    Jul 22 10:56:48 localhost kernel[0]: Longterm timer threshold: 1000 ms
    Jul 22 10:56:48 localhost kernel[0]: PMAP: PCID enabled
    Jul 22 10:56:48 localhost kernel[0]: Darwin Kernel Version 13.3.0: Tue Jun  3 21:27:35 PDT 2014; root:xnu-2422.110.17~1/RELEASE_X86_64
    Jul 22 10:56:48 localhost kernel[0]: vm_page_bootstrap: 1963451 free pages and 117317 wired pages
    Jul 22 10:56:48 localhost kernel[0]: kext submap [0xffffff7f807a9000 - 0xffffff8000000000], kernel text [0xffffff8000200000 - 0xffffff80007a9000]
    Jul 22 10:56:48 localhost kernel[0]: zone leak detection enabled
    Jul 22 10:56:48 localhost kernel[0]: "vm_compressor_mode" is 4
    Jul 22 10:56:48 localhost kernel[0]: standard timeslicing quantum is 10000 us
    Jul 22 10:56:48 localhost kernel[0]: standard background quantum is 2500 us
    Jul 22 10:56:48 localhost kernel[0]: mig_table_max_displ = 74
    Jul 22 10:56:48 localhost kernel[0]: TSC Deadline Timer supported and enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=1 LocalApicId=0 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=2 LocalApicId=2 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=3 LocalApicId=4 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=4 LocalApicId=6 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=5 LocalApicId=1 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=6 LocalApicId=3 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=7 LocalApicId=5 Enabled
    Jul 22 10:56:48 localhost kernel[0]: AppleACPICPU: ProcessorId=8 LocalApicId=7 Enabled
    Jul 22 10:56:48 localhost kernel[0]: calling mpo_policy_init for TMSafetyNet
    Jul 22 10:56:48 localhost kernel[0]: Security policy loaded: Safety net for Time Machine (TMSafetyNet)
    Jul 22 10:56:48 localhost kernel[0]: calling mpo_policy_init for Sandbox
    Jul 22 10:56:48 localhost kernel[0]: Security policy loaded: Seatbelt sandbox policy (Sandbox)
    Jul 22 10:56:48 localhost kernel[0]: calling mpo_policy_init for Quarantine
    Jul 22 10:56:48 localhost kernel[0]: Security policy loaded: Quarantine policy (Quarantine)
    Jul 22 10:56:48 localhost kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    Jul 22 10:56:48 localhost kernel[0]: The Regents of the University of California. All rights reserved.
    Jul 22 10:56:48 localhost kernel[0]: MAC Framework successfully initialized
    Jul 22 10:56:48 localhost kernel[0]: using 16384 buffer headers and 10240 cluster IO buffer headers
    Jul 22 10:56:48 localhost kernel[0]: AppleKeyStore starting (BUILT: Jun  3 2014 21:40:51)
    Jul 22 10:56:48 localhost kernel[0]: IOAPIC: Version 0x20 Vectors 64:87
    Jul 22 10:56:48 localhost kernel[0]: ACPI: sleep states S3 S4 S5
    Jul 22 10:56:48 localhost kernel[0]: pci (build 21:30:51 Jun  3 2014), flags 0x63008, pfm64 (36 cpu) 0xf80000000, 0x80000000
    Jul 22 10:56:48 localhost kernel[0]: [ PCI configuration begin ]
    Jul 22 10:56:48 localhost kernel[0]: AppleIntelCPUPowerManagement: Turbo Ratios 6689
    Jul 22 10:56:48 localhost kernel[0]: AppleIntelCPUPowerManagement: (built 21:36:10 Jun  3 2014) initialization complete
    Jul 22 10:56:48 localhost kernel[0]: console relocated to 0xf90010000
    Jul 22 10:56:48 localhost kernel[0]: [ PCI configuration end, bridges 12, devices 18 ]
    Jul 22 10:56:48 localhost kernel[0]: mcache: 8 CPU(s), 64 bytes CPU cache line size
    Jul 22 10:56:48 localhost kernel[0]: mbinit: done [96 MB total pool size, (64/32) split]
    Jul 22 10:56:48 localhost kernel[0]: Pthread support ABORTS when sync kernel primitives misused
    Jul 22 10:56:48 localhost kernel[0]: rooting via boot-uuid from /chosen: F2E2754A-C2D0-3FD4-9754-621EEADDB1EB
    Jul 22 10:56:48 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>
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeZlib kmod start
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeLZVN kmod start
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeDataless kmod start
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeZlib load succeeded
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeLZVN load succeeded
    Jul 22 10:56:48 localhost kernel[0]: com.apple.AppleFSCompressionTypeDataless load succeeded
    Jul 22 10:56:48 localhost kernel[0]: AppleIntelCPUPowerManagementClient: ready
    Jul 22 10:56:48 localhost kernel[0]: BTCOEXIST off
    Jul 22 10:56:48 localhost kernel[0]: BRCM tunables:
    Jul 22 10:56:48 localhost kernel[0]: pullmode[1] txringsize[  256] txsendqsize[1024] reapmin[   32] reapcount[  128]
    Jul 22 10:56:48 localhost kernel[0]: FireWire (OHCI) Lucent ID 5901 built-in now active, GUID c82a14fffe88be4c; max speed s800.
    Jul 22 10:56:48 localhost kernel[0]: Thunderbolt Self-Reset Count = 0xedefbe00
    Jul 22 10:56:48 localhost kernel[0]: Got boot device = IOService:/AppleACPIPlatformExpert/PCI0@0/AppleACPIPCI/SATA@1F,2/AppleIntelPchSeriesAHCI/PRT1@1/IOAHCIDevice@0/AppleAHCIDiskDriver/IOAHCIBlockStorageDevice/IOBlockStorageDriver/OCZ-VERTEX4 Media/IOGUIDPartitionScheme/Mac OS@2
    Jul 22 10:56:48 localhost kernel[0]: BSD root: disk0s2, major 1, minor 2
    Jul 22 10:56:48 localhost kernel[0]: jnl: b(1, 2): replay_journal: from: 5731840 to: 5806080 (joffset 0x3b6000)
    Jul 22 10:56:48 localhost kernel[0]: jnl: b(1, 2): journal replay done.
    Jul 22 10:56:48 localhost kernel[0]: AppleUSBMultitouchDriver::checkStatus - received Status Packet, Payload 2: device was reinitialized
    Jul 22 10:56:48 localhost kernel[0]: hfs: mounted Mac OS on device root_device
    Jul 22 10:56:47 localhost com.apple.launchd[1]: *** launchd[1] has started up. ***
    Jul 22 10:56:47 localhost com.apple.launchd[1]: *** Shutdown logging is enabled. ***
    Jul 22 10:56:48 localhost com.apple.SecurityServer[14]: Session 100000 created
    Jul 22 10:56:48 localhost distnoted[20]: # distnote server daemon  absolute time: 2.788835412   civil time: Tue Jul 22 10:56:48 2014   pid: 20 uid: 0  root: yes
    Jul 22 10:56:48 localhost kernel[0]: IO80211Controller::dataLinkLayerAttachComplete():  adding AppleEFINVRAM notification
    Jul 22 10:56:48 localhost kernel[0]: IO80211Interface::efiNVRAMPublished():
    Jul 22 10:56:48 localhost com.apple.SecurityServer[14]: Entering service
    Jul 22 10:56:48 localhost kernel[0]: AirPort: Link Down on en1. Reason 8 (Disassociated because station leaving).
    Jul 22 10:56:48 localhost configd[18]: dhcp_arp_router: en1 SSID unavailable
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcHandleInterruptEvent WARNING status=0x0 (0x40 not set) notif=0x0
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcReadKeyAction ERROR: smcReadData8 failed for key LsNM (kSMCKeyNotFound)
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcReadKeyAction ERROR LsNM kSMCKeyNotFound(0x84) fKeyHashTable=0x0
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcGetLightshowVers ERROR: smcReadKey LsNM failed (kSMCKeyNotFound)
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcPublishLightshowVersion ERROR: smcGetLightshowVers failed (kSMCKeyNotFound)
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcInitHelper ERROR: smcPublishLightshowVersion failed (kSMCKeyNotFound)
    Jul 22 10:56:48 localhost kernel[0]: Previous Shutdown Cause: 3
    Jul 22 10:56:48 localhost kernel[0]: SMC::smcInitHelper ERROR: MMIO regMap == NULL - fall back to old SMC mode
    Jul 22 10:56:48 localhost kernel[0]: AGC: 3.6.22, HW version=1.9.23, flags:0, features:20600
    Jul 22 10:56:48 localhost kernel[0]: IOBluetoothUSBDFU::probe
    Jul 22 10:56:48 localhost kernel[0]: IOBluetoothUSBDFU::probe ProductID - 0x821A FirmwareVersion - 0x0042
    Jul 22 10:56:48 localhost kernel[0]: **** [IOBluetoothHostControllerUSBTransport][start] -- completed -- result = TRUE -- 0xe400 ****
    Jul 22 10:56:48 localhost kernel[0]: **** [BroadcomBluetoothHostControllerUSBTransport][start] -- Completed -- 0xe400 ****
    Jul 22 10:56:48 localhost kernel[0]: init
    Jul 22 10:56:48 localhost kernel[0]: probe
    Jul 22 10:56:48 localhost kernel[0]: start
    Jul 22 10:56:48 localhost kernel[0]: [IOBluetoothHCIController][staticBluetoothHCIControllerTransportShowsUp] -- Received Bluetooth Controller register service notification -- 0xe400
    Jul 22 10:56:48 localhost kernel[0]: [IOBluetoothHCIController][start] -- completed
    Jul 22 10:56:48 localhost UserEventAgent[11]: Failed to copy info dictionary for bundle /System/Library/UserEventPlugins/alfUIplugin.plugin
    Jul 22 10:56:48 localhost kernel[0]: [IOBluetoothHCIController::setConfigState] calling registerService
    Jul 22 10:56:48 localhost kernel[0]: **** [IOBluetoothHCIController][protectedBluetoothHCIControllerTransportShowsUp] -- Connected to the transport successfully -- 0xdcc0 -- 0x2000 -- 0xe400 ****
    Jul 22 10:56:48 localhost UserEventAgent[11]: Captive: CNPluginHandler en1: Inactive
    Jul 22 10:56:48 localhost kernel[0]: flow_divert_kctl_disconnect (0): disconnecting group 1
    Jul 22 10:56:48 localhost configd[18]: network changed.
    Jul 22 10:56:48 Jakes-MacBook-Pro.local configd[18]: setting hostname to "Jakes-MacBook-Pro.local"
    Jul 22 10:56:49 Jakes-MacBook-Pro kernel[0]: DSMOS has arrived
    Jul 22 10:56:49 Jakes-MacBook-Pro kernel[0]: [AGPM Controller] build GPUDict by Vendor1002Device6760
    Jul 22 10:56:49 Jakes-MacBook-Pro kernel[0]: fGPUIdleIntervalMS = 0
    Jul 22 10:56:50 Jakes-MacBook-Pro.local fseventsd[38]: event logs in /.fseventsd out of sync with volume.  destroying old logs. (275 3 822)
    Jul 22 10:56:50 Jakes-MacBook-Pro.local fseventsd[38]: log dir: /.fseventsd getting new uuid: 64D0AB9C-3D99-4E86-877A-CBD475452A4D
    Jul 22 10:56:50 Jakes-MacBook-Pro kernel[0]: VM Swap Subsystem is ON
    Jul 22 10:56:50 Jakes-MacBook-Pro.local hidd[67]: void __IOHIDPlugInLoadBundles(): Loaded 0 HID plugins
    Jul 22 10:56:50 Jakes-MacBook-Pro.local hidd[67]: Posting 'com.apple.iokit.hid.displayStatus' notifyState=1
    Jul 22 10:56:50 Jakes-MacBook-Pro.local blued[40]: hostControllerOnline - Number of Paired devices = 1, List of Paired devices = (
         "c4-2c-03-9e-4b-7c"
    Jul 22 10:56:50 Jakes-MacBook-Pro.local mDNSResponder[59]: mDNSResponder mDNSResponder-522.92.1 (Jun  3 2014 12:57:56) starting OSXVers 13
    Jul 22 10:56:50 Jakes-MacBook-Pro.local com.apple.usbmuxd[45]: usbmuxd-327.4 on Feb 12 2014 at 14:54:33, running 64 bit
    Jul 22 10:56:50 Jakes-MacBook-Pro.local mds[58]: (Normal) FMW: FMW 0 0
    Jul 22 10:56:50 Jakes-MacBook-Pro.local loginwindow[62]: Login Window Application Started
    Jul 22 10:56:50 Jakes-MacBook-Pro.local apsd[79]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    Jul 22 10:56:50 Jakes-MacBook-Pro.local systemkeychain[91]: done file: /var/run/systemkeychaincheck.done
    Jul 22 10:56:50 Jakes-MacBook-Pro.local mDNSResponder[59]: D2D_IPC: Loaded
    Jul 22 10:56:50 Jakes-MacBook-Pro.local mDNSResponder[59]: D2DInitialize succeeded
    Jul 22 10:56:50 Jakes-MacBook-Pro.local mDNSResponder[59]:   4: Listening for incoming Unix Domain Socket client requests
    Jul 22 10:56:50 Jakes-MacBook-Pro.local networkd[110]: networkd.110 built Aug 24 2013 22:08:46
    Jul 22 10:56:50 Jakes-MacBook-Pro.local configd[18]: network changed: DNS*
    Jul 22 10:56:50 Jakes-MacBook-Pro.local aosnotifyd[80]: aosnotifyd has been launched
    Jul 22 10:56:50 Jakes-MacBook-Pro aosnotifyd[80]: assertion failed: 13E28: liblaunch.dylib + 25164 [A40A0C7B-3216-39B4-8AE0-B5D3BAF1DA8A]: 0x25
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: [BNBMouseDevice::init][80.14] init is complete
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: [BNBMouseDevice::handleStart][80.14] returning 1
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: [AppleMultitouchHIDEventDriver::start] entered
    Jul 22 10:56:51 Jakes-MacBook-Pro.local WindowServer[105]: Server is starting up
    Jul 22 10:56:51 Jakes-MacBook-Pro.local locationd[64]: Incorrect NSStringEncoding value 0x8000100 detected. Assuming NSASCIIStringEncoding. Will stop this compatiblity mapping behavior in the near future.
    Jul 22 10:56:51 Jakes-MacBook-Pro.local locationd[64]: NBB-Could not get UDID for stable refill timing, falling back on random
    Jul 22 10:56:51 Jakes-MacBook-Pro.local WindowServer[105]: Session 256 retained (2 references)
    Jul 22 10:56:51 Jakes-MacBook-Pro.local WindowServer[105]: Session 256 released (1 references)
    Jul 22 10:56:51 Jakes-MacBook-Pro.local locationd[64]: Location icon should now be in state 'Inactive'
    Jul 22 10:56:51 Jakes-MacBook-Pro.local locationd[64]: locationd was started after an unclean shutdown
    Jul 22 10:56:51 Jakes-MacBook-Pro.local WindowServer[105]: Session 256 retained (2 references)
    Jul 22 10:56:51 Jakes-MacBook-Pro.local WindowServer[105]: init_page_flip: page flip mode is on
    Jul 22 10:56:51 Jakes-MacBook-Pro dnsmasq[83]: setting --bind-interfaces option because of OS limitations
    Jul 22 10:56:51 Jakes-MacBook-Pro dnsmasq[83]: failed to access /etc/resolv.conf: No such file or directory
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: label: default
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: dbname: od:/Local/Default
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: mkey_file: /var/db/krb5kdc/m-key
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: acl_file: /var/db/krb5kdc/kadmind.acl
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: digest-request: uid=0
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: [AppleMultitouchDevice::start] entered
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: AppleLMUController found an AG vendor product (0x9cb7), notifying SMC.
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: digest-request: netr probe 0
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: digest-request: init request
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: createVirtIf(): ifRole = 1
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: in func createVirtualInterface ifRole = 1
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: AirPort_Brcm4331_P2PInterface::init name <p2p0> role 1
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: AirPort_Brcm4331_P2PInterface::init() <p2p> role 1
    Jul 22 10:56:51 Jakes-MacBook-Pro kernel[0]: Created virtif 0xffffff801ef89400 p2p0
    Jul 22 10:56:51 Jakes-MacBook-Pro.local digest-service[93]: digest-request: init return domain: BUILTIN server: JAKES-MACBOOK-PRO indomain was: <NULL>
    Jul 22 10:56:51 Jakes-MacBook-Pro.local airportd[81]: airportdProcessDLILEvent: en1 attached (up)
    Jul 22 10:56:51 Jakes-MacBook-Pro.local awacsd[77]: Starting awacsd connectivity_executables-97 (Aug 24 2013 23:49:23)
    Jul 22 10:56:51 Jakes-MacBook-Pro.local awacsd[77]: InnerStore CopyAllZones: no info in Dynamic Store
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: ast_pending=0xffffff800a8cb690
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: cpu_interrupt=0xffffff800a8e3910
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: vboxdrv: fAsync=0 offMin=0x253f offMax=0x3846
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: VBoxDrv: version 4.3.12 r93733; IOCtl version 0x1a0007; IDC version 0x10000; dev major=34
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: VBoxDrv: vmx_resume=ffffff800a8f02d0 vmx_suspend=ffffff800a8f0290 vmx_use_count=ffffff800aed8848 (0) cr4=0x606e0
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: VBoxFltDrv: version 4.3.12 r93733
    Jul 22 10:56:52 Jakes-MacBook-Pro.local com.apple.systemadministration.writeconfig[218]: ### Error:-60005 File:/SourceCache/Admin/Admin-594.1/SFAuthorizationExtentions.m Line:36
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: VBoxAdpDrv: version 4.3.12 r93733
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: en1: 802.11d country code set to 'ES'.
    Jul 22 10:56:52 Jakes-MacBook-Pro kernel[0]: en1: Supported channels 1 2 3 4 5 6 7 8 9 10 11 12 13 36 40 44 48 52 56 60 64 100 104 108 112 116 120 124 128 132 136 140
    Jul 22 10:56:53 Jakes-MacBook-Pro.local mds_stores[113]: (/.Spotlight-V100/Store-V2/D069037C-1284-4440-8DB8-DB2FB5A92714)(Error) IndexCI in ContentIndexPtr openIndex(int, char *, DocID, char *, _Bool, _Bool, _Bool, CIDocCounts *, int *, int *, const int):unexpected sync count 3 3 3 3, expected 2
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: MacAuthEvent en1   Auth result for: c8:b3:73:38:33:dd  MAC AUTH succeeded
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: wlEvent: en1 en1 Link UP virtIf = 0
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: AirPort: Link Up on en1
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: en1: BSSID changed to c8:b3:73:38:33:dd
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: AirPort: RSN handshake complete on en1
    Jul 22 10:56:54 Jakes-MacBook-Pro kernel[0]: flow_divert_kctl_disconnect (0): disconnecting group 1
    Jul 22 10:56:59 Jakes-MacBook-Pro.local configd[18]: network changed: DNS* Proxy
    Jul 22 10:56:59 Jakes-MacBook-Pro.local configd[18]: network changed: DNS*
    Jul 22 10:56:59 Jakes-MacBook-Pro.local UserEventAgent[11]: Captive: [CNInfoNetworkActive:1655] en1: SSID 'Kimchinet' making interface primary (protected network)
    Jul 22 10:56:59 Jakes-MacBook-Pro.local UserEventAgent[11]: Captive: CNPluginHandler en1: Evaluating
    Jul 22 10:56:59 Jakes-MacBook-Pro.local UserEventAgent[11]: Captive: en1: Probing 'Kimchinet'
    Jul 22 10:56:59 Jakes-MacBook-Pro.local configd[18]: network changed: v4(en1!:192.168.2.140) DNS+ Proxy+ SMB
    Jul 22 10:57:02 Jakes-MacBook-Pro.local ntpd[85]: proto: precision = 1.000 usec
    Jul 22 10:57:02 Jakes-MacBook-Pro.local UserEventAgent[11]: tcp_connection_destination_prepare_complete 1 connectx to 2001:5008:101:292::c77#80 failed: 65 - No route to host
    Jul 22 10:57:02 Jakes-MacBook-Pro.local UserEventAgent[11]: tcp_connection_destination_prepare_complete 1 connectx to 2001:5008:101:283::c77#80 failed: 65 - No route to host
    Jul 22 10:57:02 Jakes-MacBook-Pro.local UserEventAgent[11]: tcp_connection_destination_prepare_complete 1 connectx to 2001:5008:101:28c::c77#80 failed: 65 - No route to host
    Jul 22 10:57:02 Jakes-MacBook-Pro.local UserEventAgent[11]: tcp_connection_handle_destination_prepare_complete 1 failed to connect
    Jul 22 10:57:03 --- last message repeated 2 times ---
    Jul 22 10:57:03 Jakes-MacBook-Pro.local UserEventAgent[11]: Captive: CNPluginHandler en1: Authenticated
    Jul 22 10:57:03 Jakes-MacBook-Pro.local apsd[79]: CGSLookupServerRootPort: Failed to look up the port for "com.apple.windowserver.active" (1102)
    Jul 22 10:57:04 Jakes-MacBook-Pro.local configd[18]: network changed.
    Jul 22 10:57:04 Jakes-MacBook-Pro.local apsd[79]: Unrecognized leaf certificate
    Jul 22 10:57:09 Jakes-MacBook-Pro.local awacsd[77]: Exiting
    Jul 22 10:57:35 Jakes-MacBook-Pro kernel[0]: **** [IOBluetoothHostControllerUSBTransport][SuspendDevice] -- Suspend -- suspendDeviceCallResult = 0x0000 (kIOReturnSuccess) -- 0xe400 ****
    Jul 22 10:57:50 Jakes-MacBook-Pro kernel[0]: SMC::smcReadKeyAction ERROR: smcReadData8 failed for key B0PS (kSMCKeyNotFound)
    Jul 22 10:57:50 Jakes-MacBook-Pro kernel[0]: SMC::smcReadKeyAction ERROR: smcReadData8 failed for key B0OS (kSMCKeyNotFound)
    Jul 22 10:57:54 Jakes-MacBook-Pro kernel[0]: **** [IOBluetoothHostControllerUSBTransport][SuspendDevice] -- Resume -- suspendDeviceCallResult = 0x0000 (kIOReturnSuccess) -- 0xe400 ****
    Jul 22 10:58:32 Jakes-MacBook-Pro.local warmd[44]: [warmctl_evt_timer_bc_activation_timeout:287] BC activation bcstop timer fired!
    Jul 22 10:58:33 Jakes-MacBook-Pro kernel[0]: **** [IOBluetoothHostControllerUSBTransport][SuspendDevice] -- Suspend -- suspendDeviceCallResult = 0x0000 (kIOReturnSuccess) -- 0xe400 ****

  • Applescript sometimes not working in saving a Safari website

    I have a script to check if there are certain items on Ebay.  The script is on my server and than emails me the archive. 
    I use the following script that only works haphazardly.  sometime it saves it sometimes not.  at all times it opens the web-site, no problem.  However the saving is a hit and miss.  And I do not understand why.  anybody see as to why?
    tell application "Safari"
      activate
      delay 5
              tell application "System Events"
                        tell application "Safari" to activate
                        keystroke ("http://www.ebay.co.uk")
      delay 5
      keystroke (ASCII character 13)
                        delay 20
                        tell process "Safari" to keystroke "s" using command down
      delay 2
                        tell process "Safari" to keystroke "d" using command down
      delay 2
                        keystroke ((("XXX") & (do shell script "date '+%d.%m.%Y'") & (".webarchive")))
      delay 2
      keystroke (ASCII character 13)
              end tell 
    end tell

    Pierre Bonjour.
    It works under 10.6 too.  Thanks.
    Since both scripts work it gives me a few options.
    I amended your script a tick to ad a name to the file.  I did this since it gets e-mailed later and as such the name will be constant when scripting to e-mail it.
    here it is.
    open location "http://www.ebay.co.uk"
    repeat until application "Safari" exists
      delay 4 -- wait until application "Safari" exists
    end repeat
    tell application "System Events" to tell process "Safari"
              set theMenuItem to menu item "Save as…" of menu 1 of menu bar item "File" of menu bar 1
              repeat until enabled of theMenuItem is true
      delay 4 -- wait until the window is completely loaded
              end repeat
      delay 1
      keystroke "s" using {command down} -- save
      delay 2
      keystroke "Name" -- give the file a name
      delay 1
      keystroke "d" using {command down} -- save to desktop
      delay 1
              set thePopUpButton to pop up button 1 of group 1 of sheet 1 of window 1
              if value of thePopUpButton is not "Web Archive" then
      click thePopUpButton
                        keystroke "Web" & return
              end if
      click button "Save" of sheet 1 of window 1
      delay 1
              if sheet 1 of sheet 1 of window 1 exists then
                        click button "Replace" of sheet 1 of sheet 1 of window 1
              end if
    end tell

  • Adjust Palette slider.  Sometimes zeroed out, sometimes not

    I can't understand what is going on.
    I will edit my photos using the adjust palette and when I move on to the next photo, sometimes it says "saving changes" and sometimes not. On the photos where it does "save" the changes, when I go back to the photo, the adjustments are there, but the sliders have been zeroed out. This makes it impossible to "copy" the sliders and paste to another photo. Nor can I see what adjustments have been made.
    While on some photos, it's doesn't "save changes" when I move away from it. When I return to the photo, the adjustments are there, AND the sliders are where I moved them to. This is what I WANT to happen on every photo so I can see what I've done. But on some photos it "saves" them and I can't see my adjustments in the sliders.
    This seems completely random and changes from photo to photo within the same album. Both versions look right and have my adjustments correct, it's just that one will show me the adjustments in the adjust palette, and the other will have sliders zeroed out as if that's how the photo came right out of the camera.
    What gives?
    I'm on iPhoto 8
    Thanks,
    Brian

    I don't see anything that jumps out as to why but do see a couple of things you can try.
    1 - delete the iPhoto preference file, com.apple.iPhoto.plist, that resides in your User/Library/Preferences folder.
    2 - empty the User/Library/Caches/iPhoto folder
    3 - rebuild the library as follows: launch iPhoto with the Command+Option keys depressed and follow the instructions to rebuild the library. Select the first three options.
    If none of the above help, boot into another account (if you don't have one create a non-admin account as it's a very good troubleshooting tool), create a test library, import a few photos and give it a good editing workout. If the edits are saving as they should then there could be an issue with a preference file, other than iPhoto's, in your primary account. Here's how to determine if that's the case:
    Trouble Shooting Preferences
    Go to HD/Users/Your_name/Library. Move the Preferences folder (in its entirety) to the Desktop and make a second copy of it so you have Copy A and B. Now try the the process again and determine if problem is fixed.
    If the problem IS fixed, then go to the new Prefs folder that the OS will have created and open it up.
    Open Copy B on the Desktop and select all of the items inside. Drag them into the open new library folder. When the Copy window comes up check the Apply to All check box and then click on the Don't Replace button as seen here. That will keep the new files created and bring back all of the others.
    If the problem is NOT fixed, trash the new Prefs folder and move the intact Copy A folder back to the Library folder .
    On a different note I see you have just 8 GB of free space. If you can increase that to around 15GB I'm sure you'll see an improvement in system and application performance. Also If you upgrade to 10.4.11 be sure to use the 10.4.11 COMBO updater.

  • [LAVA Cross Post] CTRL+SHIFT+ Shortcuts sometimes not working in LabVIEW

    Cross-post from LAVA: http://lavag.org/topic/15619-ctrlshift-shortcuts-sometimes-not-working-in-labview/
    See the above post for more information - here's a synopsis:
    CTRL+SHIFT modifiers are not working while running LabVIEW in a Parallels 7 virtual machine. This problem affects both LV2011 and LV2012. I'm not certain that this is a LabVIEW bug - could be an issue with my virtual machine environment or it's configuration - except that CTRL+SHIFT modifiers work in other applications on the affected VMs. It's just LabVIEW that appears to ignore shortcuts with the CTRL+SHIFT modifiers.
    Any ideas? 
    a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"] {color: black;} a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"]:after {content: '';} .jrd-sig {height: 80px; overflow: visible;} .jrd-sig-deploy {float:left; opacity:0.2;} .jrd-sig-img {float:right; opacity:0.2;} .jrd-sig-img:hover {opacity:0.8;} .jrd-sig-deploy:hover {opacity:0.8;}

    X. wrote:
    Still well and alive in Parallels 9 and LabVIEW 2013 SP1. Of course I could upgrade to the latest versions to check whether things have gotten any better.
    Any news on that?
    @mellroth figured out the solution :-)
    a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"] {color: black;} a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"]:after {content: '';} .jrd-sig {height: 80px; overflow: visible;} .jrd-sig-deploy {float:left; opacity:0.2;} .jrd-sig-img {float:right; opacity:0.2;} .jrd-sig-img:hover {opacity:0.8;} .jrd-sig-deploy:hover {opacity:0.8;}

  • Macbook Air Late 2010 model, 10.6.7, 2.13 4g ram. Trackpad is not working properly and in sometimes not at all.

    Macbook Air Late 2010 model, 10.6.7, 2.13 4g ram. Trackpad is not working properly and in sometimes not at all. Need suggestions to resolve this issue?  I have applied all Mac updates and still having problems with the trackpad.

    The machine has a 1 year warranty, book an appointment with your local Apple Store or AASP to have it looked at.
    You can try doing a SMC reset however I don't think that is the solution.
    SMC RESET
    • Shut down the computer.
    • Plug in the MagSafe power adapter to a power source, connecting it to the Mac if its not already connected.
    • On the built-in keyboard, press the (left side) Shift-Control-• Option keys and the power button at the same time.
    • Release all the keys and the power button at the same time.
    • Press the power button to turn on the computer.
    PRAM RESET
    • Shut down the computer.
    • Locate the following keys on the keyboard: Command, Option, P, and R. You will need to hold these keys down simultaneously in step 4.
    • Turn on the computer.
    • Press and hold the Command-Option-P-R keys. You must press this key combination before the gray screen appears.
    • Hold the keys down until the computer restarts and you hear the startup sound for the second time.
    • Release the keys.

  • Sometimes when I open a new tab, I get a blank burgundy screen that covers up the window and sometimes I can get rid of it and sometimes not. At this point, I'm ready to totally get rid of Firefox. what is going on?

    When I click on the plus sign by tabs, a burgundy blank screen appears over my window, blocking the tab groups except for the top portion. I can still see the URL address field and the tabs above but when I click on a tab, it comes up beneath the blank burgundy new screen on my window. I then have to open a new window but I have to start over on the tabs. I can't use the ones behind the burgundy screen. sometime when I click on the home icon the blank screen goes away, sometimes not.

    Make sure that toolbars like the "Navigation Toolbar" and the "Bookmarks Toolbar" are visible: "View > Toolbars"
    * If items are missing then open the Customize window via "View > Toolbars > Customize" or via "Firefox > Options > Toolbar Layout"
    * If a missing item is in the toolbar palette then drag it back from the Customize window on the toolbar
    * If you do not see an item on a toolbar and in the toolbar palette then click the "Restore Default Set" button to restore the default toolbar set up.
    See also:
    * http://kb.mozillazine.org/Toolbar_customization
    * https://support.mozilla.com/kb/Back+and+forward+or+other+toolbar+items+are+missing

  • My iTunes v.10.6.3.25 is intermittently refusing to open. Sometimes re-booting my laptop works, sometimes not. I just put the computer to sleep, and when I woke it up, iTunes started automatically. Any thoughts?

    My iTunes v.10.6.3.25 is intermittently refusing to open. Sometimes re-booting my laptop works, sometimes not. I just put the computer to sleep, and when I woke it up, iTunes started automatically (I had been trying to open it just before by clicking on a song file in my Documents window, and that's the song that started playing when the pc woke up). I went to my iTunes Help and clicked Updates/download iTunes 10.7 twice, but got nothing. Now, Im wondering if I should downloacd the entire 10.7, or whether that would overwrite all my files, erasing my songs. Anybody know? Thanks.

    Hey thanks for replying.
    Here's what I did:
    First I tried the Winsock reset in the Command prompt. Nothing changed.
    Next, I tried the instructions on http://http://support.apple.com/kb/TS4123. The only other program that came up on the 'Winsock Providers' tab on the program was 2 Windows Live applications, which I can do without. So I deleted all Windows Live Applications.
    I did the Winsock reset in the Command Prompt again and rebooted my comp.
    Unfortunately, nothing has changed. iTunes keeps freezing at various stages of the sync, then shows the candy cane-striped bar with either the words 'Finishing sync' or 'Cancelling sync', before showing the Apple logo.
    Sometimes, iTunes gets to the syncing stage - "Copying # of ####" - where it will trudge through the first, second and third tracks before flashing "Copying 4 of ####" for a split second and I catch "Cancelling sync" briefly before the Apple logo appears.
    Again, I've repeated the steps I mentioned in my previous post. Does ANYONE know when the new version of iTunes is set to be released?! This one is driving me INSANE, to say the least!!

  • After navigating (sometimes downloading pictures, sometimes not) for approximately 10 minutes, I can no longer see contents of drop down menues, then Firefox freezes up and I have to use Ctrl/Alt/Delete to end my internet experience.

    After navigating (sometimes downloading pictures, sometimes not) for approximately 10 minutes, I can no longer see contents of drop down menus, then Firefox freezes up and I have to use Ctrl/Alt/Delete to end my internet experience.
    == This happened ==
    Every time Firefox opened
    == After upgrading to 3.6

    Step by step, how did you arrive at seeing this agreement?

  • Smart guides labels appears but sometimes NOT.

    When I am using smart guides in illustrator cs6 it is problem which makes me nervous.
    When I select point, handles appear. When I move next to handle top the label appear. But SOMETIMES NOT appear, SOMETIMES APPEAR. It is terrible.
    - It might be nice when labels ALWAYS APPEAR, WHEN I AM NEXT TO HANDLE TOP or NEXT TO THE ANCHOR POINT.
    Because then I know, that when label appear, I can work with that concrete handle, or point.
    I know, that it depends of the snapping tolerance, which I can set in Preferences. But when the snapping tolerance is too high, it is unpleasant to draw anything. When snapping tollerance is high i can draw objects on A4 leter which is usual, but my lines and handles are attached anytime when I do not want.
    When I do not use smart guides it is unpleasant to draw lines too. Sometimes I grab handle when I want, but sometimes I fail.
    I think it may be a good solution if you fix it so that the snapping tollerance will be lower, but labels will appear sooner and reliably.
    I like Illustrator, InDesign and Photoshop. But this is the reason, why Illustrator makes me crazy, when I work there. Thanks

    David,
    I do not have align to pixel grid or snap to grid turned on
    It sounds as if Illy thinks the former.
    The following is a general list of things you may try when the issue is not in a specific file (you may have tried/done some of them already); 1) and 2) are the easy ones for temporary strangenesses, and 3) and 4) are specifically aimed at possibly corrupt preferences); 5) is a list in itself, and 6) is the last resort.
    1) Close down Illy and open again;
    2) Restart the computer (you may do that up to 3 times);
    3) Close down Illy and press Ctrl+Alt+Shift/Cmd+Option+Shift during startup (easy but irreversible);
    4) Move the folder (follow the link with that name) with Illy closed (more tedious but also more thorough and reversible);
    5) Look through and try out the relevant among the Other options (follow the link with that name, Item 7) is a list of usual suspects among other applications that may disturb and confuse Illy, Item 15) applies to CC, CS6, and maybe CS5);
    Even more seriously, you may:
    6) Uninstall, run the Cleaner Tool (if you have CS3/CS4/CS5/CS6/CC), and reinstall.
    http://www.adobe.com/support/contact/cscleanertool.html

  • Previously i use ios 4 version 4.2.1 then i updated to 4.3.3 the problem is my network coverage sometimes not in service or no network?now i update to ios 5 its still happend?can advice me..

    Previously i use ios 4 version 4.2.1 then i updated to 4.3.3 the problem is my network coverage sometimes not in service or no network?now i update to ios 5 its still happend?can advice me..

    Scroll down and see the "Update Your Device Using iTunes" section here:
    HT4623
    There is no "update icon" in iOS versions earlier than iOS 5.
    The update is very large (over 1.2 gigabytes).  You need a good internet connection to download it to your computer.  Maybe you'll need to take a trip to a city to get a good enough connection.

Maybe you are looking for