Intermitte​nt 200010 errors

I am getting intermittent error 200010 results from DAQmxReadAnalogF64(). We are using a PCI-6259 card.
My app is a C++ program, running under Windows 7. It does two main types of A/D reads: One is initiated by interactive user action, and can result in a large amount of  samples. The channel count is normally 1-3, while the sample time is user specified, and could be fairly large (e.g. a few hundred seconds.)
We try and sample at the highest rate the card supports (e.g. 1.25 MHz for 1 channel, or 1 MHz for 2 or 3 channels.) There is a maximum sample count
that we will try and read, currently 62.5 million samples, the size of our allocated data buffer, and if the user request exceeds this, we will drop the sample rate to fit this limit.
 The second type of read is done periodically, c. 3 times per second, and reads for just 12.5 msec, typically for 6 channels or so. (This second provides a periodic update of the instrument state.) These second types read just 2084 samples total, at the full 1 MHz sample rate.
Anyways, the reads work most of the time, but occasionally fail. Failure seems most common when the first type of read is done for a long time period, say 120 sec. (By this point we would be reducing the sample frequency, assuming 1 channel, to about 520 kHz.) Interestingly, the failures then occur usually for the second type of sample (the short 12.5 msec reads), although they have occurred on the long reads (which are more critical.)
If I double our data buffer size to 1 GB, meaning we would read up to 125 million samples (and so maintain 1.25 MHz sample rate for longer times), then the errors become much more common.
I have just upgraded to NIDAQmx version 9.1, I had been using 8.9, but these errors persist with the upgrade. Previously, I had also had occasional errors 50352 [Memory allocation error], and error 50202 [Unspecified error], but I have not seen these since the upgrade. So the upgrade may have helped some, but not completely.
Thanks for any advice.
  - Mark

And now the main read function...
 void ReadAnalogInterval (
    const char* device_name,
    const char* physical_channels[],
    int    num_channels,
    int    num_samps_per_channel,
    double samp_freq_per_channel,
    double min_range,
    double max_range,
    double timeout_sec,
    bool   triggered,
    int    trigger_type,
    const char* trigger_source,
    Simulation simulants[],
    double data[],
    int    data_size)
// Sample data over an interval. The whole interval is sampled in one piece.
    int32 result;
    TaskHandle handle;
    result = DAQmxCreateTask (NULL, &handle);
    if (result != 0)
        CleanupTask (&handle);
        RaiseNidaqError (result);
    // combine channel names
    string physical_channels_combined =
        CombinePhysicalChannelNames (device_name, physical_channels, num_channels);
    // create channel for reading voltage
    result = DAQmxCreateAIVoltageChan
        (handle,
         physical_channels_combined.c_str(),
         NULL,
         DAQmx_Val_Cfg_Default,
         min_range,
         max_range,
         DAQmx_Val_Volts,        // units
         NULL);
    if (result != 0)
        CleanupTask (&handle);
        RaiseNidaqError (result);
    // get channel count
    uInt32 nidaq_num_channels;
    result = DAQmxGetTaskNumChans (handle, &nidaq_num_channels);
    if (result != 0)
        CleanupTask (&handle);
        RaiseNidaqError (result);
    // check
    assert (nidaq_num_channels == num_channels);
    assert (data_size == (num_samps_per_channel * num_channels));
    // configure trigger if requested
    if (triggered)
        // trigger type
        int trigger_edge = 0;
        if (trigger_type == NIDAQ_TRIGGER_FALLING)
            trigger_edge = DAQmx_Val_Falling;     // normal [VB TriggerType = 0]
        else if (trigger_type == NIDAQ_TRIGGER_RISING)
            trigger_edge = DAQmx_Val_Rising;      // [VB TriggerType = 1,3]
        else
            assert (0 && "Invalid trigger type.");
        // configure trigger
        result = DAQmxCfgDigEdgeStartTrig
            (handle,
             trigger_source,
             trigger_edge);
        if (result != 0)
            CleanupTask (&handle);
            RaiseNidaqError (result);
    else
        assert (trigger_type == NIDAQ_TRIGGER_NONE);  // else set a trigger type when wanted no trigger
    // configure sample clock - frequency is based on the number of channels in task
    result = DAQmxCfgSampClkTiming
        (handle,
         NULL,                    // "OnboardClock" is ok too
         samp_freq_per_channel,
         DAQmx_Val_Rising,        // collect on the rising edge of the clock
         DAQmx_Val_FiniteSamps,
         num_samps_per_channel);
    if (result != 0)
        CleanupTask (&handle);
        RaiseNidaqError (result);
    // read data
    int32 samps_per_chan_read;
    result = DAQmxReadAnalogF64
        (handle,
         num_samps_per_channel,
         timeout_sec,
         DAQmx_Val_GroupByScanNumber,  // interleaved
         data,
         data_size,
         &samps_per_chan_read,
         NULL);
    // if for some reason, not all samples are read, fill in the remainder with zeros.
    if (samps_per_chan_read != num_samps_per_channel)
        sf_print ("A/D: Requested %d samples, but read %d instead. Remainder taken as 0.0.\n",
            num_samps_per_channel, samps_per_chan_read);
        for (int i=samps_per_chan_read; i < num_samps_per_channel; i++)
            for (int j=0; j < num_channels; j++)
                int index = (i * num_channels) + j;
                assert (index >= 0);
                assert (index < data_size);
                data [index] = 0.0;
    if (result != 0)
        CleanupTask (&handle);
        RaiseNidaqError (result);
    // clean up
    CleanupTask (&handle);
    // leave all simulants in default state (implying no data).

Similar Messages

  • Intermittent 200010 errors

    Using the DAQmx C++ interface (version 8.7.1f3) for a S series NI PCI-6110 board, I am recieveing intermittent 200010 error messages when doing a DAQmxReadBinaryI16 call. (200010 is DAQmxWarningStoppedBeforeDone)
    We are using the device to collect 3100 points of data off 4 separately channels. The data collection is a triggered start and then externally clocked in.
    The data is collected at a variety of frequencies from 128 Hz to 1/2 Hz.
    We are examining the electronics and other aspects, but the NI DAQmx interface code is new to the system (after upgrading from the Traditional DAQ legacy code a year ago). So the code here is suspect as well.
    I have attached the source code (some area removed to simplify).
    Attachments:
    NIAcqLib200010Error.cpp ‏6 KB

    Thank you for the suggestions. 
    The application interfacing to the NIDAQ card is the only application running on the PC. At times something minor may run, but it is reproducable with no other applications active.
    It was also reproducable not long after restarting the system. Did not see any memory usage issues relating to the occurrences.
    Alteration of the sampling rate is not an option, as we have been using these for the past decade plus for data collection. (Difference now being a re-write to upgrade to DAQmx from Traditional, so as to support Windows Vista PCs.)
    We are trying new cables connecting between the source and 6110 board.
    Kevin

  • cfpdfform gives intermittent(!) rights errors in Acrobat Reader

    (This question has also been asked in the Acrobat thread.)
    Using Acrobat Pro 9.1 (and the corresponding Reader 9.1 on client workstations) I have constructed a fillable PDF form and granted extended Reader rights to it.  I use this form for data-display and modification.  (Cold Fusion 8.)
    The process works flawlessly on my machine, which has Reader Pro installed.  But on the Readers it will intermittently throw this error:
    "This document enabled extended features in Adobe Reader.  The document has been changed since it was created and the use of extended features is no longer available.  Please contact the author for the original version of the document."
    Why do I say, "intermittent?"  Because, if you reload the page ... sometimes if you simply resize the browser window ... "suddenly it works."  The document becomes fillable on Reader.  And sometimes the page appears, right from the start, as fillable.  So it's apparently a timing problem.
    As I said, the computers are known to have the latest Adobe Reader installed, and not every computer acts the same ... nor does any computer act the same way with any particular consistency.  The forms always have the right data in them, and when the Reader consents to make them fillable, they perform exactly as they are intended.  (To the Adobe team's credit, CF8 makes this remarkably easy to do...)
    I can say with certainty that the underlying document (on the server) most definitely is not changing, because it has been made read-only to CF just as a precaution.  I also know that the clocks on all computers are synchronized.  So, I think, a lot of "sensible" causes for the problem can be eliminated ... leaving only the "nonsensical" ones, perhaps.  I'm really looking for a work-around.
    I have fiddled with cache-control headers (would like to know more about this...) just because I am grasping at straws now, but with no apparent effect.
    Any assistance would be greatly appreciated.
    (Heh... I'd attach the "cfm" but ... go figure ... the forum software won't allow the "cfm" or "cfc" or "zip" file-types!) 

    I am having the same exact issue.  Did you ever get a resolution to your problem?

  • Intermittent Function sequence error in JDBC - ReferenceManager too eager?

    Hello,
    I'm experiencing intermittent "function sequence error" when executing the first next() on a resultset.
    The java code:
    protected String getNextSequenceId(Connection con) throws DAOException {
    String nextVal = null;
    PreparedStatement ps = null;
    ResultSet rs = null;
    try {
    ps = getPreparedStatement(con, "SELECT sq_JobsID.NEXTVAL FROM DUAL");
    ps.executeQuery();
    rs = ps.getResultSet();
    if(rs.next()) {
    nextVal = rs.getString(1);
    } catch(SQLException se) {
    handleSQLException(se);
    } finally {
    closeResultSet(rs);
    closeStatement(ps);
    return nextVal;
    Enabling timesten trace logging reveals that the ReferenceManager finalizes the resultset before I get a chance to read from it. Any idea what could be done to prevent this?
    Would changing to code to do "rs=ps.executeQuery();" instead of "ps.executeQuery(); rs = ps.getResultSet();" fix the problem?
    Thanks.
    BTW, I'm using TimesTen 7.0.3. The problem was seen both on Windows XP and Solaris 10.
    TimesTen Trace log:
    HttpThreadPool-8*JdbcOdbc.SQLPrepare(184632064, SELECT sq_JobsID.NEXTVAL FROM DUAL)
    HttpThreadPool-8*JdbcOdbc.SQLGetStmtOption(184632064, 3031)
    HttpThreadPool-8*JdbcOdbc.SQLGetStmtOption(184632064) Returning value = 0
    HttpThreadPool-8*JdbcOdbc.SQLNumParams(184632064)
    HttpThreadPool-8*JdbcOdbc.SQLNumParams(184632064) Returning: numParams = 0
    HttpThreadPool-8*Connection.registerStatement(com.timesten.jdbc.JdbcOdbcPreparedStatement@114c15d)
    HttpThreadPool-8*PreparedStatement.executeQuery()
    HttpThreadPool-8*PreparedStatement.execute()
    HttpThreadPool-8*JdbcOdbc.SQLExecute(184632064)
    HttpThreadPool-8*JdbcOdbc.SQLExecute(184632064): Returning needData=false
    HttpThreadPool-8*JdbcOdbc.SQLNumResultCols(184632064)
    HttpThreadPool-8*JdbcOdbc.SQLNumResultCols(hStmt=184632064): Returning numCols = 1
    HttpThreadPool-8*Statement.getResultSet()
    HttpThreadPool-8*JdbcOdbc.SQLNumResultCols(184632064)
    HttpThreadPool-8*JdbcOdbc.SQLNumResultCols(hStmt=184632064): Returning numCols = 1
    HttpThreadPool-8*JdbcOdbc.SQLAllocAndBindCols(184632064)
    HttpThreadPool-8*Statement.getResultSet()
    HttpThreadPool-8*ReferenceManager.handleReference(com.timesten.jdbc.BasicPhantomReference@1d43f63)
    HttpThreadPool-8*JdbcOdbcResultSet.doPostFinalization(com.timesten.jdbc.JdbcOdbcResultSet@18dacb5)
    HttpThreadPool-8*JdbcOdbcResultSet.close()
    HttpThreadPool-8*JdbcOdbc.SQLFreeStmt(184632064, 0)
    HttpThreadPool-8*JdbcOdbcResultSet.next()
    HttpThreadPool-8*JdbcOdbc.SQLFetch(184632064)
    HttpThreadPool-8*JdbcOdbc.standardError(-1, 0, 0, 184632064)
    HttpThreadPool-8*JdbcOdbc.createSQLException(0, 0, 184632064, true, true)
    HttpThreadPool-8*JdbcOdbc.createSQLException:Reason = [TimesTen][TimesTen 7.0.3.0.0 ODBC Driver]Function sequence error; SQLstate = S1010; VendorCode = 0

    Hi,
    Are you using Spring or Apache? If so, here is some information from one of my colleagues that may be relevant.
    They should turn OFF the singleton for the DAO bean (each DAO bean should NOT use a singleton query variable).
    <bean id="procDAO" class="vae.data.dao.ProcDAO" destroy-method="close" singleton="false">
              <property name="procDAOPool"><ref bean="procDAOPool"/></property>
              <property name="timeAlloted"><value>${db.query.TimeAlloted}</value></property>
              <property name="timeAllotedConf"><value>${db.query.TimeAllotedConf}</value></property>
              <property name="counter"><value>${db.query.Counter}</value></property>
              <property name="msgLimitPicContent"><value>${msgLimitPicContent}</value></property>
              <property name="msgLimitBinaryStandard"><value>${msgLimitBinaryStandard}</value></property>
              <property name="msgLimitNormalSMS"><value>${msgLimitNormalSMS}</value></property>
              <property name="txnCommit"><value>true</value></property>
    </bean>
    What happens is that, when the query variable (the PreparedStatement) is a singleton, which seems to be the default on Spring, at low load levels everything is OK. However as the # of transactions increase, you have a case where
    1) connection #1 enters the DAO bean and executes
    2) connection #2 enters the bean and executes
    3) connection #1 does executeQuery and getResultSet
    4) connection #2 does executeQuery -- this INVALIDATES the resultset obtained by connection #1
    5) when connection #1 tries to do getString the error comes out since the resultset is invalid
    Could you let me know if this is your issue or not.
    Thanks,
    Chris

  • After upgrading to iOS 7.0.6, I get intermittent "invalid SIM" error.

    After upgrading to iOS 7.0.6, I get intermittent "invalid SIM" error where the carrier strength (top left corner) should be.   Of course I loose all data and cellular connections at that time.   The only workaround is to power the device off and back on.   I have to do this at least once every 2 or 3 days since the upgrade to 7.0.6.   Anyone else having SIM related errors since the upgrade? 
    This happened once before when I first updated to iOS 7.   The next patch that Apple sent out resolved the issue, and I haven't seen it again until now.
    I hear 7.1 may be coming out as soon as next week.   Any chance this issue is resolved in that release?

    Thanks for the input.  That link shows steps that I've already taken.  I know it sounds weird, but I believe it may be software related.  Like I said before, this happened once before when I first upgraded to iOS7.   I lived with the issue, having to reboot the phone every couple of days, until the next update from Apple.  Once they sent out the next update, the problem went away. 
    If it is not software related, then it must be a corruption of the software download and installation.  I did it over the air.  Possibly downloading whatever release comes out next will fix it because it's a new installation.  The software itself may not have the fix in it, but the act of downloading and installing the new software may fix it.  Just a thought...

  • Intermittent 401.3 error on windows2003 CF9

    Hi,
    I have CF9 installed on a windows 2003 server and am getting intermittent 401.3 errors on one of the sites set up in IIS.
    I've seen this issue mentioned many times in forums, pointing to ACL permission on windows, but never with a full or consistent explanation of what the settings are.
    Some posts suggest setting CF up as its own user, and applying permission appropriately ... but no specifics of what that is.
    My issue is that CF pages serve just fine for a while ... maybe a day. maybe a week.
    Then ... when trying to access the CF page, sometimes a 401.3 error is returned, and sometimes, a "server application unavaiable" screen is returned.
         Upon restarting IIS, the issue is resolved.
    If permissions were the issue, wouldn't CF always return one of those pages?
    Where can I look to determine whats causing this frustrating issue?
    (previous installations of CF9/windows 2003 I've done didn't exhibit this behavior).
    Is there an adobe guide for recommended installation settings for IIS 6 and CF 9?
    Thanks

    hi Mannnn,
    Thanks for posting your problem.
    First, you have to enable your custom error messaging by doing below mentioned changes in
    Configuration Section of your web config.
    <system.webServer> 
    <httpErrors errorMode="Custom" existingResponse="Auto" >  </httpErrors>
    </system.webServer>
    Then, Kindly follow below mentioned steps 
    Set the
    DisableStrictNameChecking
    registry entry to 1. For more information about how to do this, click the following article number to view the article in the Microsoft Knowledge Base:
    281308 Connecting to SMB share on a Windows 2000-based computer or a Windows Server 2003-based computer may
    not work with an alias name
    Click Start, click Run, type regedit, and then click OK.
    In Registry Editor, locate and then click the following registry key:
    HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\Lsa\MSV1_0
    Right-click MSV1_0, point to New, and then click Multi-String Value.
    Type BackConnectionHostNames, and then press ENTER.
    Right-click BackConnectionHostNames, and then click Modify.
    In the Value data box, type the host name or the host names for the sites that are on the local computer, and then clickOK.
    Quit Registry Editor, and then restart the IISAdmin service
    Please mark this as Answer, if this works for you.
    Thanks,
    Dharmendra Singh
    MCPD | MCTS (SharePoint)
    Blog - http://sharepoint-community.net/profile/DharmendraSingh

  • Intermittent behavior and Error Code: -600

    I would first like to state, I have not any issues in the last 5 years. I went from Jaguar to Tiger, without a hitch. Of course, this is very old G4/450 [Will be getting a Mac Pro fairly soon]. For the most part, everything has been near perfect. However, recently I installed ProAppRuntime.pkg v.4.0. Now, I have intermittent problems with applications that suddenly stop functioning correctly. This is usually preceded by getting the spinning beach. Today, iTunes just stopped working, ultimately forcing me to have to Force Quit the application. Then, once one app does it, if bad enough, other apps start to collapse as well. Now, even though it may seem like I Force Quit, the Dock still shows the App as still functioning. It won't force quit at all. Then if I try to relaunch the App, directly, The error I get is Error Code: -600. There is very little read about it for me to make any sense of it. I ran Virex [yes, up to date], which as usual, there is nothing to fret about there. Though, it has been a while since I de-fragged my drives. But, I can't imagine that would be the cause of the problem... or would it?
    Update: I can repeat this intermittent problem using iTunes v. 7.1.1.
    G4/450 with 768MB of RAM, Two Seagate 80GB HD's, with SCSI card with two SCSI drives. Running Mac OSX Tiger v.10.4.9.

    On my System/Apps HD 80GB [Master] = 57GB of Free Space.
    On my Second HD [Slave] = 27GB of Free Space
    On My 3rd HD 17GB Internal SCSI = 811MB of Free Space
    [this is where all my music is stashed]
    On my 4th HD, 4GB Internal SCSI = 1.2GB of Free Space
    OS9 HD/OS9 Apps.
    Yes, all RAM is listed. I did some investigation, checked that as well. Then I ran a couple of utilities, iDefrag to see if the drive are in need of defragging, it looked like I should consider defragging. However, I ran Onyx, just clean out my caches before I CCClone to alternative drive and it told me "This Volume needs to be Repaired". So, I think I've got my answer.
    If anything, thank you in advance for any advice you leave, I am going to start of OSX CD and see what's up.

  • Intermittent ORA-00942 error

    Hi,
    I'm getting an intermittent ORA-00942 (Table or View Does Not Exist) error in Oracle 9i. We're getting it in several different packages, and they all have one thing in common.
    They are all either joining to a table type that had previously been populated with a BULK COLLECT INTO or a temp table that was populate with a CAST (from the same table type) or has a TABLE CAST directly in the join.
    This is the type:
    CREATE OR REPLACE TYPE fe_id_tab AS TABLE OF INTEGER NOT NULL;
    This is the table:
    create global temporary table FE_TMP_ID
    ID INTEGER not null
    on commit delete rows;
    Again, this is an intermittent error. It only happens occasionally, and when it does happen, if you immediately run the same query, it works fine.
    Thanks,
    Karin

    smuthuku wrote:
    The customer is getting the below error in the alert log intermittently when running utlrp script in 11.2.0.2
    ORA-12012: error on auto execute of job "SYS"."UTL_RECOMP_SLAVE_24"
    ORA-00942: table or view does not exist
    As this happens in a production environment, the customer doesn't want to turn on the tracing but wants to know
    if this is a problem with the data dictionary or someother issue. Any inputs appreciated.
    Yes, it is a problem with data dictionay or some other issue.
    do as below so we can know complete Oracle version & OS name.
    Post via COPY & PASTE complete results of
    SELECT * from v$version;

  • Intermittent ORA-07445 errors - Any ideas?

    New installation of XE.
    All latest XP patches.
    Local browser: Mozilla Firefox, latest version.
    Problems occur intermittently when creating pages in application express.
    ORACLE V10.2.0.1.0 - Production vsnsta=0
    vsnsql=14 vsnxtr=3
    Oracle Database 10g Express Edition Release 10.2.0.1.0 - Production
    Windows XP Version V5.1 Service Pack 2
    CPU : 1 - type 586
    Process Affinity : 0x00000000
    Memory (Avail/Total): Ph:469M/1023M, Ph+PgF:2353M/2926M, VA:1606M/2047M
    Instance name: xe
    Example 1
    ========
    ksedmp: internal or fatal error
    ORA-07445: exception encountered: core dump [ACCESS_VIOLATION] [__intel_fast_memcmp+123] [PC:0x264EDCF] [ADDR:0x8DFE65BE] [UNABLE_TO_READ] []
    Current SQL statement for this session:
    select inst_id,ksutmtim from x$ksutm
    Example 2
    ========
    ksedmp: internal or fatal error
    ORA-07445: exception encountered: core dump [ACCESS_VIOLATION] [__intel_fast_memcmp+123] [PC:0x264EDCF] [ADDR:0x8D427140] [UNABLE_TO_READ] []
    Current SQL statement for this session:
    SELECT SPACE_USED FROM ( SELECT SUM(BYTES) SPACE_USED FROM SYS.DBA_DATA_FILES, SYS.TS$ WHERE TABLESPACE_NAME = NAME AND CONTENTS$ = 0 AND FLAGS != 17 ) S ORDER BY 1
    Example 3
    ========
    ksedmp: internal or fatal error
    ORA-07445: exception encountered: core dump [ACCESS_VIOLATION] [_ph2orf_regular_formals+1940] [PC:0x60C551D0] [ADDR:0x3C6DFCD4] [UNABLE_TO_READ] []
    Current SQL statement for this session:
    declare
    rc__ number;
    simple_list__ owa_util.vc_arr;
    complex_list__ owa_util.vc_arr;
    begin
    owa.init_cgi_env(:n__,:nm__,:v__);
    htp.HTBUF_LEN := 63;
    null;
    null;
    simple_list__(1) := 'sys.%';
    simple_list__(2) := 'dbms\_%';
    simple_list__(3) := 'utl\_%';
    simple_list__(4) := 'owa\_%';
    simple_list__(5) := 'owa.%';
    simple_list__(6) := 'htp.%';
    simple_list__(7) := 'htf.%';
    if ((wwv_flow_epg_include_modules.authorize('wwv_flow.accept') = false) or (owa_match.match_pattern(p_string =>
    'wwv_flow.accept'
    /* */,p_simple_pattern =>
    simple_list__
    ,p_complex_pattern =>
    complex_list__
    ,p_use_special_chars =>
    false)))
    then
    rc__ := 2;
    else
    null;
    null;
    wwv_flow.accept(p_flow_id=>:p_flow_id,p_flow_step_id=>:p_flow_step_id,p_instance=>:p_instance,p_page_submission_id=>:p_page_submission_id,p_request=>:p_request,p_arg_names=>:p_arg_names,p_t01=>:p_t01,p_t02=>:p_t02,p_t03=>:p_t03,p_t04=>:p_t04,p_t05=>:p_t05,p_t06=>:p_t06,p_t07=>:p_t07,p_t08=>:p_t08,p_t09=>:p_t09,p_t10=>:p_t10,p_t11=>:p_t11,p_t13=>:p_t13,p_t15=>:p_t15,p_t16=>:p_t16,p_t17=>:p_t17,p_t18=>:p_t18,f02=>:f02,f05=>:f05,f03=>:f03,f04=>:f04,f01=>:f01,fcs=>:fcs,f06=>:f06,p_md5_checksum=>:p_md5_checksum);
    if (wpg_docload.is_file_download) then
    rc__ := 1;
    wpg_docload.get_download_file(:doc_info);
    null;
    null;
    null;
    commit;
    else
    rc__ := 0;
    null;
    null;
    null;
    commit;
    owa.get_page(:data__,:ndata__);
    end if;
    end if;
    :rc__ := rc__;
    end;
    ksedmp: Obtaining call stack failed twice. not retrying

    check the arguments for ORA-7445 errors.
    7445 errors are internal you need to contact oracle support, and also for work around you can pass those arguments in *Troubleshoot an ORA-600 or ORA-7445 Error Using the Error Lookup Tool [ID 7445.1]*
    due to 7445 erros database was hung up/not responeded, so may be it is the reason for 3113 errors(inbound connection timeout)
    and post the value of sqlnet_authentication_services from sqlnet.ora file..
    Thanks

  • Intermittent Time Machine Error -1

    I have a late 2008 MacBook Pro 2.8 GHz with 4 GB of RAM running Mac OS X 10.7.3. I have Time Machine backups performed through a Mac Mini running Mac OS X 10.7.3 Lion Server (clean install) to an external drive attached to the mini via Firewire 800. I have three machines backing up to the server and prior to Lion, had no issues. Since the migration to Lion, only one machine, the one listed above intermittently fails to backup with the error -1, unable to mount volume. I have downloaded all of the latest patches for all clients and the server. I tried installing the "Turbo" device driver from Western Digital for the drive since no other device drivers are available (WD site says they are provided by the OS). This made no difference and the other machines continue to backup without a problem. The client having issues will backup for as much as a day or two, then throw the error again. In addition to the above I have tried the following:
    Run disk utilties to verify no disk errors - no issues found
    I did a manual backup to another disk, reformatted the Time Machine Disk backed up all machines - same problem
    WD Smartware updated to 1.3.3.8 - latest version released after Lion and states Lion compatible.
    Verified through Workgroup Manager that MAC addresses and hardware UUID are correct for all machines (Software Update through the Server works fine).
    Tried backup up connected by ethernet versus WiFi - problem still intermittent and is independent of network connection type.
    What next? Anyone else seeing this?

    See #C17 in Time Machine - Troubleshooting.

  • SOA Composte retries intermittently after hitting error

    Hi,
    The business flow looks like this
    AQ adapter -> SOA Compsoite -> target system (DB calls)
    Messages comes to AQ and SOA composite picks the message from AQ and makes a call to the target system .All data source participate in global transaction, if any error happens the message would get rolled backed to Error Queue
    Issue
    Whenever the target system is down, the corresponding event adapter that picks messages from AQ intermittently retries the message n number of times.
    The retry count is random in some cases it kept going even after 40 retries.
    Can you please suugest, is there any option to stop the retry count

    Hi Alfredo/Dhaval,
    Thanks for the update.
    I have followed all the steps that you have mentioned , but still face the issue .
    The reason for multiple retry is , In AQ the
    state 0 means ready to be picked up,
    state 2 means successfully completed , so none of the threads will pick this message
    state 3 means faulted and none of threads will pick the message .
    The time taken by AQ to change from state 0 to 2/3 is dependent on BPEL transaction .
    In this scenario, bpel takes 5 mins to commit the transaction (as JTA is set to 5 mins),
    which means the message state in AQ would be 0 for 5 mins(0 means ready to Pick) , in mean time other thread would pick the same message
    (mindelaybetweenmessage kept as 30 secs, i cant keep it as 5 mins because of performance issue) and this is happening in a loop.
    My doubt is , when a target system is down , ideally bpel should throw remote fault exception , but here the flow does not go to catch or catch all block
    but instead the flow is stopped in Invoke where it makes a call to target system and after 5 mins JTA transaction time out errored message is occuring .

  • Time Machine backups to OS X Server intermittently failing with error 21

    I have a Mac Mini running OS X Server, with two USB drives connected and selected within OS X Server as Time Machine backup destinations.  I have an iMac and a Macbook Air, both of which  are using Time Machine to backup themselves up to the Time Machine Service on the server (all are running the latest version of Mavericks).
    Intermittently, the iMac backup fails.  The iMac's console log shows:
    Aug 23 13:55:34 Nigels-iMac.local com.apple.backupd[15418]: Failed to eject volume /Volumes/Backups-1 (FSVolumeRefNum: -141; status: -47; dissenting pid: 0)
    Aug 23 13:55:34 Nigels-iMac.local com.apple.backupd[15418]: Waiting 60 seconds and trying again.
    Aug 23 13:56:06 Nigels-iMac.local mds[72]: (Normal) Volume: volume:0x7fa702995000 ********** Bootstrapped Creating a default store:0 SpotLoc:(null) SpotVerLoc:(null) occlude:0 /Volumes/Backups-1
    Aug 23 13:56:45 Nigels-iMac.local com.apple.backupd[15418]: Network destination already mounted at: /Volumes/Backups-1
    Aug 23 13:57:29 Nigels-iMac.local com.apple.backupd[15418]: Quota in effect for '/Volumes/Backups-1': Zero KB
    Aug 23 13:58:16 Nigels-iMac.local com.apple.backupd[15418]: Failed to eject volume /Volumes/Backups-1 (FSVolumeRefNum: -141; status: -47; dissenting pid: 0)
    Aug 23 13:58:16 Nigels-iMac.local com.apple.backupd[15418]: Giving up after 3 retries.
    Aug 23 13:58:16 Nigels-iMac.local com.apple.backupd[15418]: Backup failed with error 21: 21
    The Mac Mini console log shows nothing apparently wrong.
    Restarting the server (not the iMac) clears the problem and the iMac will then once again backup to the server for some time (e.g. a day).
    There are two USB drives, one for each backup sparse bundle and although the two disks have different names in the Finder, OS X Server has named them both Backup (one is shown as 'Backup' and the other as 'Backup-1' in the Time Machine Services Backups tab).
    I am wondering whether the failure occurs when coincidentally the iMac and the Macbook both try to back up at the same moment.  Any advice about how to isolate the problem, or a solution would be gratefully received!

    1. This procedure is a diagnostic test, to be carried out on the server. It changes nothing, for better or worse, and therefore will not, in itself, solve the problem. But with the aid of the test results, the solution may take a few minutes, instead of hours or days.
    Don't be put off merely by the seeming complexity of these instructions. The process is much less complicated than the description. You do harder tasks with the computer all the time.
    2. If you don't already have a current backup, back up all data before doing anything else. The backup is necessary on general principle, not because of anything in the test procedure. Backup is always a must, and when you're having any kind of trouble with the computer, you may be at higher than usual risk of losing data, whether you follow these instructions or not.
    There are ways to back up a computer that isn't fully functional. Ask if you need guidance.
    3. Below are instructions to run a UNIX shell script, a type of program. As I wrote above, it changes nothing. It doesn't send or receive any data on the network. All it does is to generate a human-readable report on the state of the computer. That report goes nowhere unless you choose to share it. If you prefer, you can read it yourself without disclosing the contents to me or anyone else.
    You should be wondering whether you can believe me, and whether it's safe to run a program at the behest of a stranger. In general, no, it's not safe and I don't encourage it.
    In this case, however, there are a couple of ways for you to decide whether the program is safe without having to trust me. First, you can read it. Unlike an application that you download and click to run, it's transparent, so anyone with the necessary skill can verify what it does.
    You may not be able to understand the script yourself. But variations of the script have been posted on this website thousands of times over a period of years. The site is hosted by Apple, which does not allow it to be used to distribute harmful software. Any one of the millions of registered users could have read the script and raised the alarm if it was harmful. Then I would not be here now and you would not be reading this message.
    Nevertheless, if you can't satisfy yourself that these instructions are safe, don't follow them. Ask for other options.
    4. Here's a summary of what you need to do, if you choose to proceed:
    ☞ Copy a line of text in this window to the Clipboard.
    ☞ Paste into the window of another application.
    ☞ Wait for the test to run. It usually takes a few minutes.
    ☞ Paste the results, which will have been copied automatically, back into a reply on this page.
    The sequence is: copy, paste, wait, paste again. You don't need to copy a second time. Details follow.
    5. You may have started the computer in "safe" mode. Preferably, these steps should be taken in “normal” mode, under the conditions in which the problem is reproduced. If the system is now in safe mode and works well enough in normal mode to run the test, restart as usual. If you can only test in safe mode, do that.
    6. If you have more than one user, and the one affected by the problem is not an administrator, then please run the test twice: once while logged in as the affected user, and once as an administrator. The results may be different. The user that is created automatically on a new computer when you start it for the first time is an administrator. If you can't log in as an administrator, test as the affected user. Most personal Macs have only one user, and in that case this section doesn’t apply. Don't log in as root.
    7. The script is a single long line, all of which must be selected. You can accomplish this easily by triple-clicking anywhere in the line. The whole line will highlight, though you may not see all of it in the browser window, and you can then copy it. If you try to select the line by dragging across the part you can see, you won't get all of it.
    Triple-click anywhere in the line of text below on this page to select it:
    PATH=/usr/bin:/bin:/usr/sbin:/sbin:/usr/libexec;clear;cd;p=(Software Hardware Memory Diagnostics Power FireWire Thunderbolt USB Fonts SerialATA 4 1000 25 5120 KiB/s 1024 85 \\b%% 20480 1 MB/s 25000 ports ' com.clark.\* \*dropbox \*GoogleDr\* \*k.AutoCAD\* \*k.Maya\* vidinst\* ' DYLD_INSERT_LIBRARIES\ DYLD_LIBRARY_PATH -86 "` route -n get default|awk '/e:/{print $2}' `" 25 N\\/A down up 102400 25600 recvfrom sendto CFBundleIdentifier 25 25 25 1000 MB com.apple.AirPortBaseStationAgent 464843899 51 5120 files );N5=${#p[@]};p[N5]=` networksetup -listnetworkserviceorder|awk ' NR>1 { sub(/^\([0-9]+\) /,"");n=$0;getline;} $NF=="'${p[26]}')" { sub(/.$/,"",$NF);print n;exit;} ' `;f=('\n%s: %s\n' '\n%s\n\n%s\n' '\nRAM details\n%s\n' %s\ %s '%s\n-\t%s\n' );S0() { echo ' { q=$NF+0;$NF="";u=$(NF-1);$(NF-1)="";gsub(/^ +| +$/,"");if(q>='${p[$1]}') printf("%s (UID %s) is using %s '${p[$2]}'",$0,u,q);} ';};s=(' /^ *$|CSConfigDot/d;s/^ */   /;s/[-0-9A-Fa-f]{22,}/UUID/g;s/(ochat)\.[^.]+(\..+)/\1\2/;/Shared/!s/\/Users\/[^/]+/~/g ' ' s/^ +//;/de: S|[nst]:/p;' ' {sub(/^ +/,"")};/er:/;/y:/&&$2<'${p[10]} ' 1s/://;3,6d;/[my].+:/d;s/^ {4}//;H;${ g;s/\n$//;/s: [^EO]|x([^08]|02[^F]|8[^0])/p;} ' ' 5h;6{ H;g;/P/!p;} ' ' ($1~/^Cy/&&$3>'${p[11]}')||($1~/^Cond/&&$2!~/^N/) ' ' /:$/{ N;/:.+:/d;s/ *://;b0'$'\n'' };/^ *(V.+ [0N]|Man).+ /{ s/ 0x.... //;s/[()]//g;s/(.+: )(.+)/ (\2)/;H;};$b0'$'\n'' d;:0'$'\n'' x;s/\n\n//;/Apple[ ,]|Genesy|Intel|SMSC/d;s/\n.*//;/\)$/p;' ' s/^.*C/C/;H;${ g;/No th|pms/!p;} ' '/= [^GO]/p' '{$1=""};1' ' /Of/!{ s/^.+is |\.//g;p;} ' ' $0&&!/ / { n++;print;} END { if(n<200) print "com.apple.";} ' ' $3~/[0-9]:[0-9]{2}$/ { gsub(/:[0-9:a-f]{14}/,"");} { print|"tail -n'${p[12]}'";} ' ' NR==2&&$4<='${p[13]}' { print $4;} ' ' END { $2/=256;if($2>='${p[15]}') print int($2) } ' ' NR!=13{next};{sub(/[+-]$/,"",$NF)};'"`S0 21 22`" 'NR!=2{next}'"`S0 37 17`" ' NR!=5||$8!~/[RW]/{next};{ $(NF-1)=$1;$NF=int($NF/10000000);for(i=1;i<=3;i++){$i="";$(NF-1-i)="";};};'"`S0 19 20`" 's:^:/:p' '/\.kext\/(Contents\/)?Info\.plist$/p' 's/^.{52}(.+) <.+/\1/p' ' /Launch[AD].+\.plist$/ { n++;print;} END { print "'${p[41]}'";if(n<200) print "/System/";} ' '/\.xpc\/(Contents\/)?Info\.plist$/p' ' NR>1&&!/0x|\.[0-9]+$|com\.apple\.launchctl\.(Aqua|Background|System)$|'${p[41]}'/ { print $3;} ' ' /\.(framew|lproj)|\):/d;/plist:|:.+(Mach|scrip)/s/:[^:]+//p ' '/^root$/p' ' !/\/Contents\/.+\/Contents|Applic|Autom|Frameworks/&&/Lib.+\/Info.plist$/ { n++;print;} END { if(n<1100) print "/System/";} ' '/^\/usr\/lib\/.+dylib$/p' ' /Temp|emac/{next};/(etc|Preferences|Launch[AD].+)\// { sub(".(/private)?","");n++;print;} END { print "'${p[41]}'.plist\t'${p[42]}'";if(n<500) print "Launch";} ' ' /\/(Contents\/.+\/Contents|Frameworks)\/|\.wdgt\/.+\.([bw]|plu)/d;p;' 's/\/(Contents\/)?Info.plist$//;p' ' { gsub("^| |\n","\\|\\|kMDItem'${p[35]}'=");sub("^...."," ") };1 ' p '{print $3"\t"$1}' 's/\'$'\t''.+//p' 's/1/On/p' '/Prox.+: [^0]/p' '$2>'${p[43]}'{$2=$2-1;print}' ' BEGIN { i="'${p[26]}'";M1='${p[16]}';M2='${p[18]}';M3='${p[31]}';M4='${p[32]}';} !/^A/{next};/%/ { getline;if($5<M1) a="user "$2"%, system "$4"%";} /disk0/&&$4>M2 { b=$3" ops/s, "$4" blocks/s";} $2==i { if(c) { d=$3+$4+$5+$6;next;};if($4>M3||$6>M4) c=int($4/1024)" in, "int($6/1024)" out";} END { if(a) print "CPU: "a;if(b) print "I/O: "b;if(c) print "Net: "c" (KiB/s)";if(d) print "Net errors: "d" packets/s";} ' ' /r\[0\] /&&$NF!~/^1(0|72\.(1[6-9]|2[0-9]|3[0-1])|92\.168)\./ { print $NF;exit;} ' ' !/^T/ { printf "(static)";exit;} ' '/apsd|BKAg|OpenD/!s/:.+//p' ' (/k:/&&$3!~/(255\.){3}0/ )||(/v6:/&&$2!~/A/ ) ' ' $1~"lR"&&$2<='${p[25]}';$1~"li"&&$3!~"wpa2";' ' BEGIN { FS=":";p="uniq -c|sed -E '"'s/ +\\([0-9]+\\)\\(.+\\)/\\\2 x\\\1/;s/x1$//'"'";} { n=split($3,a,".");sub(/_2[01].+/,"",$3);print $2" "$3" "a[n]$1|p;b=b$1;} END { close(p) if(b) print("\n\t* Code injection");} ' ' NR!=4{next} {$NF/=10240} '"`S0 27 14`" ' END { if($3~/[0-9]/)print$3;} ' ' BEGIN { L='${p[36]}';} !/^[[:space:]]*(#.*)?$/ { l++;if(l<=L) f=f"\n   "$0;} END { F=FILENAME;if(!F) exit;if(!f) f="\n   [N/A]";"file -b "F|getline T;if(T!~/^(AS.+ (En.+ )?text$|(Bo|PO).+ sh.+ text ex)/) F=F" ("T")";printf("\nContents of %s\n%s\n",F,f);if(l>L) printf("\n   ...and %s more line(s)\n",l-L);} ' ' /^ +[NP].+ =/h;/^( +D.+[{]|[}])/{ g;s/.+= //p;};' 's/0/Off/p' ' END{print NR} ' ' /id: N|te: Y/{i++} END{print i} ' ' / / { print "'"${p[28]}"'";exit;};1;' '/ en/!s/\.//p' ' NR!=13{next};{sub(/[+-M]$/,"",$NF)};'"`S0 39 40`" ' $10~/\(L/&&$9!~"localhost" { sub(/.+:/,"",$9);print $1": "$9;} ' '/^ +r/s/.+"(.+)".+/\1/p' 's/(.+\.wdgt)\/(Contents\/)?Info\.plist$/\1/p' 's/^.+\/(.+)\.wdgt$/\1/p' ' /l: /{ /DVD/d;s/.+: //;b0'$'\n'' };/s: /{ /V/d;s/^ */- /;H;};$b0'$'\n'' d;:0'$'\n'' x;/APPLE [^:]+$/d;p;' ' /^find: /d;p;' "`S0 44 45`" );c1=(system_profiler pmset\ -g nvram fdesetup find syslog df vm_stat sar ps sudo\ crontab sudo\ iotop top pkgutil 'PlistBuddy 2>&1 -c "Print' whoami cksum kextstat launchctl sudo\ launchctl crontab 'sudo defaults read' stat lsbom mdfind ' for i in ${p[24]};do ${c1[18]} ${c2[27]} $i;done;' defaults\ read scutil sudo\ dtrace sudo\ profiles sed\ -En awk /S*/*/P*/*/*/C*/*/airport networksetup mdutil sudo\ lsof test );c2=(com.apple.loginwindow\ LoginHook '" /L*/P*/loginw*' '" L*/P*/*loginit*' 'L*/Ca*/com.ap*.Saf*/E*/* -d 1 -name In*t -exec '"${c1[14]}"' :CFBundleDisplayName" {} \;|sort|uniq' '~ $TMPDIR.. \( -flags +sappnd,schg,uappnd,uchg -o ! -user $UID -o ! -perm -600 \)' '.??* -path .Trash -prune -o -type d -name *.app -print -prune' :${p[35]}\" :Label\" '{/,}L*/{Con,Pref}* -type f ! -size 0 -name *.plist -exec plutil -s {} \;' "-f'%N: %l' Desktop L*/Keyc*" therm sysload boot-args status " -F '\$Time \$Message' -k Sender kernel -k Message Req 'bad |Beac|caug|dead[^bl]|FAIL|fail|GPU |hfs: Ru|inval|jnl:|last value [1-9]|n Cause: -|NVDA\(|pagin|proc: t|Roamed|rror|ssert|Thrott|tim(ed? ?|ing )o|WARN' -k Message Rne 'Goog|ksadm|SMC:| VALI|xpma' -o -k Sender fseventsd -k Message Req 'SL' " '-du -n DEV -n EDEV 1 10' 'acrx -o comm,ruid,%cpu' '-t1 10 1' '-f -pfc /var/db/r*/com.apple.*.{BS,Bas,Es,J,OSXU,Rem,up}*.bom' '{/,}L*/Lo*/Diag* -type f -regex .\*[cgh] ! -name *ag \( -exec grep -lq "^Thread c" {} \; -exec printf \* \; -o -true \) -execdir stat -f:%Sc:%N -t%F {} \;|sort -t: -k2 |tail -n'${p[38]} '-L {/{S*/,},}L*/Lau* -type f' '-L /{S*/,}L*/StartupItems -type f -exec file {} +' '-L /S*/L*/{C*/Sec*A,E}* {/,}L*/{A*d,Ca*/*/Ex,Co{mpon,reM},Ex,Inter,iTu*/*P,Keyb,Mail/B,Pr*P,Qu*T,Scripti,Sec,Servi,Spo,Widg}* -path \\*s/Resources -prune -o -type f -name Info.plist' '/usr/lib -type f -name *.dylib' `awk "${s[31]}"<<<${p[23]}` "/e*/{auto,{cron,fs}tab,hosts,{[lp],sy}*.conf,pam.d/*,ssh{,d}_config,*.local} {,/usr/local}/etc/periodic/*/* /L*/P*{,/*}/com.a*.{Bo,sec*.ap}*t /S*/L*/Lau*/*t .launchd.conf" list getenv /Library/Preferences/com.apple.alf\ globalstate --proxy '-n get default' -I --dns -getdnsservers\ "${p[N5]}" -getinfo\ "${p[N5]}" -P -m\ / '' -n1 '-R -l1 -n1 -o prt -stats command,uid,prt' '--regexp --only-files --files com.apple.pkg.*|sort|uniq' -kl -l -s\ / '-R -l1 -n1 -o mem -stats command,uid,mem' '+c0 -i4TCP:0-1023' com.apple.dashboard\ layer-gadgets '-d /L*/Mana*/$USER&&echo On' '-app Safari WebKitDNSPrefetchingEnabled' "+c0 -l|awk '{print(\$1,\$3)}'|sort|uniq -c|sort -n|tail -1|awk '{print(\$2,\$3,\$1)}'" );N1=${#c2[@]};for j in {0..9};do c2[N1+j]=SP${p[j]}DataType;done;N2=${#c2[@]};for j in 0 1;do c2[N2+j]="-n ' syscall::'${p[33+j]}':return { @out[execname,uid]=sum(arg0) } tick-10sec { trunc(@out,1);exit(0);} '";done;l=(Restricted\ files Hidden\ apps 'Elapsed time (s)' POST Battery Safari\ extensions Bad\ plists 'High file counts' User Heat System\ load boot\ args FileVault Diagnostic\ reports Log 'Free space (MiB)' 'Swap (MiB)' Activity 'CPU per process' Login\ hook 'I/O per process' Mach\ ports kexts Daemons Agents launchd Startup\ items Admin\ access Root\ access Bundles dylibs Apps Font\ issues Inserted\ dylibs Firewall Proxies DNS TCP/IP Wi-Fi Profiles Root\ crontab User\ crontab 'Global login items' 'User login items' Spotlight Memory Listeners Widgets Parental\ Controls Prefetching SATA Descriptors );N3=${#l[@]};for i in 0 1 2;do l[N3+i]=${p[5+i]};done;N4=${#l[@]};for j in 0 1;do l[N4+j]="Current ${p[29+j]}stream data";done;A0() { id -G|grep -qw 80;v[1]=$?;((v[1]==0))&&sudo true;v[2]=$?;v[3]=`date +%s`;clear >&-;date '+Start time: %T %D%n';};for i in 0 1;do eval ' A'$((1+i))'() { v=` eval "${c1[$1]} ${c2[$2]}"|'${c1[30+i]}' "${s[$3]}" `;[[ "$v" ]];};A'$((3+i))'() { v=` while read i;do [[ "$i" ]]&&eval "${c1[$1]} ${c2[$2]}" \"$i\"|'${c1[30+i]}' "${s[$3]}";done<<<"${v[$4]}" `;[[ "$v" ]];};A'$((5+i))'() { v=` while read i;do '${c1[30+i]}' "${s[$1]}" "$i";done<<<"${v[$2]}" `;[[ "$v" ]];};';done;A7(){ v=$((`date +%s`-v[3]));};B2(){ v[$1]="$v";};for i in 0 1;do eval ' B'$i'() { v=;((v['$((i+1))']==0))||{ v=No;false;};};B'$((3+i))'() { v[$2]=`'${c1[30+i]}' "${s[$3]}"<<<"${v[$1]}"`;} ';done;B5(){ v[$1]="${v[$1]}"$'\n'"${v[$2]}";};B6() { v=` paste -d: <(printf "${v[$1]}") <(printf "${v[$2]}")|awk -F: ' {printf("'"${f[$3]}"'",$1,$2)} ' `;};B7(){ v=`grep -Fv "${v[$1]}"<<<"$v"`;};C0(){ [[ "$v" ]]&&echo "$v";};C1() { [[ "$v" ]]&&printf "${f[$1]}" "${l[$2]}" "$v";};C2() { v=`echo $v`;[[ "$v" != 0 ]]&&C1 0 $1;};C3() { v=`sed -E "$s"<<<"$v"`&&C1 1 $1;};for i in 1 2;do for j in 0 2 3;do eval D$i$j'(){ A'$i' $1 $2 $3; C'$j' $4;};';done;done;{ A0;D20 0 $((N1+1)) 2;D10 0 $N1 1;B0;C2 27;B0&&! B1&&C2 28;D12 15 37 25 8;A1 0 $((N1+2)) 3;C0;D13 0 $((N1+3)) 4 3;D23 0 $((N1+4)) 5 4;D13 0 $((N1+9)) 59 50;for i in 0 1 2;do D13 0 $((N1+5+i)) 6 $((N3+i));done;D13 1 10 7 9;D13 1 11 8 10;D22 2 12 9 11;D12 3 13 10 12;D23 4 19 44 13;D23 5 14 12 14;D22 6 36 13 15;D22 7 37 14 16;D23 8 15 38 17;D22 9 16 16 18;B1&&{ D22 35 49 61 51;D22 11 17 17 20;for i in 0 1;do D22 28 $((N2+i)) 45 $((N4+i));done;};D22 12 44 54 45;D22 12 39 15 21;A1 13 40 18;B2 4;B3 4 0 19;A3 14 6 32 0;B4 0 5 11;A1 17 41 20;B7 5;C3 22;B4 4 6 21;A3 14 7 32 6;B4 0 7 11;B3 4 0 22;A3 14 6 32 0;B4 0 8 11;B5 7 8;B1&&{ A2 19 26 23;B7 7;C3 23;};A2 18 26 23;B7 7;C3 24;A2 4 20 21;B7 6;B2 9;A4 14 7 52 9;B2 10;B6 9 10 4;C3 25;D13 4 21 24 26;B4 4 12 26;B3 4 13 27;A1 4 22 29;B7 12;B2 14;A4 14 6 52 14;B2 15;B6 14 15 4;B3 0 0 30;C3 29;A1 4 23 27;B7 13;C3 30;D13 24 24 32 31;D13 25 37 32 33;A2 23 18 28;B2 16;A2 16 25 33;B7 16;B3 0 0 34;B2 21;A6 47 21&&C0;B1&&{ D13 21 0 32 19;D13 10 42 32 40;D22 29 35 46 39;};D13 14 1 48 42;D12 34 43 53 44;D22 0 $((N1+8)) 51 32;D13 4 8 41 6;D12 26 28 35 34;D13 27 29 36 35;A2 27 32 39&&{ B2 19;A2 33 33 40;B2 20;B6 19 20 3;};C2 36;D23 33 34 42 37;B1&&D23 35 45 55 46;D23 32 31 43 38;D12 36 47 32 48;D13 20 42 32 41;D13 14 2 48 43;D13 4 5 32 1;D13 4 3 60 5;D12 26 48 49 49;B3 4 22 57;A1 26 46 56;B7 22;B3 0 0 58;C3 47;D22 4 4 50 0;D23 22 9 37 7;A7;C2 2;} 2>/dev/null|pbcopy;exit 2>&-
    Copy the selected text to the Clipboard by pressing the key combination command-C.
    8. Launch the built-in Terminal application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Terminal in the icon grid.
    Click anywhere in the Terminal window and paste by pressing command-V. The text you pasted should vanish immediately. If it doesn't, press the return key.
    9. If you see an error message in the Terminal window such as "Syntax error" or "Event not found," enter
    exec bash
    and press return. Then paste the script again.
    10. If you're logged in as an administrator, you'll be prompted for your login password. Nothing will be displayed when you type it. You will not see the usual dots in place of typed characters. Make sure caps lock is off. Type carefully and then press return. You may get a one-time warning to be careful. If you make three failed attempts to enter the password, the test will run anyway, but it will produce less information. In most cases, the difference is not important. If you don't know the password, or if you prefer not to enter it, press the key combination control-C or just press return  three times at the password prompt. Again, the script will still run.
    If you're not logged in as an administrator, you won't be prompted for a password. The test will still run. It just won't do anything that requires administrator privileges.
    11. The test may take a few minutes to run, depending on how many files you have and the speed of the computer. A computer that's abnormally slow may take longer to run the test. While it's running, there will be nothing in the Terminal window and no indication of progress. Wait for the line
    [Process completed]
    to appear. If you don't see it within half an hour or so, the test probably won't complete in a reasonable time. In that case, close the Terminal window and report what happened. No harm will be done.
    12. When the test is complete, quit Terminal. The results will have been copied to the Clipboard automatically. They are not shown in the Terminal window. Please don't copy anything from there. All you have to do is start a reply to this comment and then paste by pressing command-V again.
    At the top of the results, there will be a line that begins with the words "Start time." If you don't see that, but instead see a mass of gibberish, you didn't wait for the "Process completed" message to appear in the Terminal window. Please wait for it and try again.
    If any private information, such as your name or email address, appears in the results, anonymize it before posting. Usually that won't be necessary.
    13. When you post the results, you might see an error message on the web page: "You have included content in your post that is not permitted," or "You are not authorized to post." That's a bug in the forum software. Please post the test results on Pastebin, then post a link here to the page you created.
    14. This is a public forum, and others may give you advice based on the results of the test. They speak only for themselves, and I don't necessarily agree with them.
    Copyright © 2014 by Linc Davis. As the sole author of this work, I reserve all rights to it except as provided in the Use Agreement for the Apple Support Communities website ("ASC"). Readers of ASC may copy it for their own personal use. Neither the whole nor any part may be redistributed.

  • Intermittent Dashboard Page Error:Job 'MinutelyMonitor

    Hi All,
    I have a simple dashboard page with a few reports.
    Problem is when i sometimes get this error stating
    Invalid item name (/shared/FAULTS/_portal/Test Board -wBC EUA) -- invalid control character 0 at position 59
    and this happens very intermittently.I have gone thorugh the Log files and found this entry..
    Running job 'MinutelyMonitor' took 9494 milliseconds,
    15.8% of job's frequency (60 seconds).
    Type: Error
    Severity: 40
    Time: Mon Nov 17 11:15:01 2008
    File: project/webcatalog/path.cpp Line: 318
    Properties: ThreadID-1532;HttpCommand-ReloadDashboard;RemoteIP-15.225.7.160;User-Administrator
    Location:
    saw.httpserver.request
    saw.rpc.server.responder
    saw.rpc.server
    saw.rpc.server.handleConnection
    saw.rpc.server.dispatch
    saw.threadPool
    saw.threads
    Invalid item name (/shared/FAULTS/_portal/Test Board -wBC EUA) -- invalid control character 0 at position 59
    Its hard to replicate it once again if it had shown up once.Can you please give insight to what has gone wrong.
    I was initailly thinking that may be the use of '-' in the dashboard name is the problem but not sure since i cannot validate the same due to the inconsisitency of the problem.
    Cheers
    Dhrubo

    Hello!
    How did you solve this problem? I have the similar one.
    (Job name : the same
      Detail  : Conversion from string "n. def." to type Double is not valid.)
    Thanks in advance.

  • CodedUI Tests Fails Intermittently With Initialization Errors

    I would like to re-ask the question asked in this thread:
    https://social.msdn.microsoft.com/Forums/vstudio/en-US/855c561b-2100-4494-bf65-c5b9ec83e4af/inconsistent-coded-ui-test-behavior-depending-on-lab-size?forum=vsmantest
    There was no answer given and no more replies coming in to that thread.
    We are exactly in the same situation. We have large number of CodedUI test cases (500+) which runs daily. Some of the tests fails intermittently with the initialization failures. The details are:
    ERROR MESSAGE
    Error calling Initialization method for test class TEST_CLASS_NAME: System.Runtime.InteropServices.COMException: Error HRESULT E_FAIL has been returned from a call to a COM component.
    ERROR STACK TRACE
    Microsoft.VisualStudio.TestTools.UITest.Playback.Engine.IRPFPlayback.SetSkipStepEventName(String skipStepEventName)
    Microsoft.VisualStudio.TestTools.UITest.Playback.ScreenElement.InitPlayback()
    Microsoft.VisualStudio.TestTools.UITesting.Playback.Initialize()
    Could someone please let us know what could be the issue of these intermittent failures?

    Hi digitali,
    According to your description, I would like to know the details:
    How many agent machines in the lab environment?
    What’s the details of these machines? (e.g. memory, system)
    What’s the version of TFS, MTM, test controller and test agent?
    Regards
    Starain
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Intermittent incorrect papersize error

    my 6500a plus all of a sudden has started to intermittently not print due to a "paper size type incorrect" message. please help in layman speak as i am not very comoputer literate. thank you

    Hi vos1,
    please get on the link given below and you should be able to resolve the issue.
    There are steps for the resolving the incorrect paper size error.
    http://h10025.www1.hp.com/ewfrf/wc/document?docname=c01824353&tmp_task=solveCategory&cc=us&dlc=en&la...
    Incase if you still face the issue, please do reply and i would be here to assist you further.
    --Say "Thanks" by clicking the Kudos Star in the post that helped you.
    --Please mark the post that solves your problem as "Accepted Solution"
    Regards
    Aneesh
    Although I am an HP employee, I am speaking for myself and not for HP.
    --Say "Thanks" by clicking the Kudos Star in the post that helped you.
    --Please mark the post that solves your problem as "Accepted Solution"

Maybe you are looking for

  • Server Error  403 - Forbidden: Access is denied. You do not have permission to view this directory or page using the credentials that you supplied.

    Hi, I`d like to get your advice on Server Error 403 - Forbidden: Access is denied. I use to visit a webpage with no issues so far but now i getting this error each time i`m trying to get into. Any ideas in how to solve it? A step to step process will

  • Adding a framework to an iPhone application

    Hi guys, In my Application I'm using a framework that doesn't seen to come as standard to the iPhone, yet is a mac standard one as I was able to locate it on my iMac and add it to my project. When I run my application through the iPhone Simulator it

  • MIRO credit memo and invoice

    Need some help with the following: By mistake posted credit memo in MIRO instead of posting invoice in MIRO. Then reversed the credit memo by going in MR8M. The reversal of credit memo posted an invoice in MIRO.  Now we want to post the MIRO invoice

  • Exception handling in report

    Hello all, i want oto implement exception handling in report. scenario: i have a parameter form par.fmb i provide parameter on form then call the report. if there is some error generate while query of report then how to handle it, so that user get th

  • Error in  VT01N

    Hi all, In Tcode: VT01N, after  shipment completion activity i saved the doc and system gives an error "Post Goods Issue" is not allowed (HU 145) Message no. BS007 after this systemresets the shipment completion Any inputs chidambaram