Schema register log file

How do we see or where we can get the log information when we register the schema into the database. Is there any log files generated , do we have to set any parameters when we are registering the schema.

Dependancies.. Dependancies...
alter session set current_schema = XDBPM
create or replace view DATABASE_SUMMARY_10200
as
select d.NAME, p.VALUE "SERVICE_NAME", i.HOST_NAME, n.VALUE "DB_CHARACTERSET"
  from v$system_parameter p, v$database d, v$instance i, nls_database_parameters n
where p.name = 'service_names'
   and n.parameter='NLS_CHARACTERSET';
show errors
grant select on DATABASE_SUMMARY_10200 to public
create or replace package XDB_CONFIGURATION_10200
AUTHID CURRENT_USER
as
function   getDatabaseSummary return xmltype;
procedure  folderDatabaseSummary;
procedure  addServletMapping (pattern varchar2,
                               servletname varchar2,
                               dispname varchar2,
                               servletclass varchar2,
                               servletschema varchar2,
                               language varchar2 := 'Java',
                               description varchar2 := '',
                               securityRole xmltype := NULL
  procedure deleteservletMapping (servletname varchar2) ;
end XDB_CONFIGURATION_10200;
show errors
create or replace view DATABASE_SUMMARY_XML_10200 of xmltype
with object id
'DATABASE_SUMMARY'
as select XDB_CONFIGURATION_10200.getDatabaseSummary() from dual
create or replace trigger NO_DML_OPERATIONS_ALLOWED
instead of insert or update or delete on DATABASE_SUMMARY_XML_10200
begin
null;
end;
grant select on DATABASE_SUMMARY_XML_10200 to public
create or replace public synonym DATABASE_SUMMARY_XML for DATA_SUMMARY_XML_10200
create or replace package body XDB_CONFIGURATION_10200 as
function getDatabaseSummary
return XMLType
as
  summary xmltype;
  dummy xmltype;
begin
  select dbms_xdb.cfg_get()
  into dummy
  from dual;
  select xmlElement
           "Database",
           XMLAttributes
             x.NAME as "Name",
             extractValue(config,'/xdbconfig/sysconfig/protocolconfig/httpconfig/http-port') as "HTTP",
             extractValue(config,'/xdbconfig/sysconfig/protocolconfig/ftpconfig/ftp-port') as "FTP"
           xmlElement
             "Services",
               xmlForest(SERVICE_NAME as "ServiceName")
           xmlElement
             "NLS",
               XMLForest(DB_CHARACTERSET as "DatabaseCharacterSet")
           xmlElement
             "Hosts",
               XMLForest(HOST_NAME as "HostName")
           xmlElement
             "VersionInformation",
             ( XMLCONCAT
                        (select XMLAGG(XMLElement
                           "ProductVersion",
                           BANNER
                        )from V$VERSION),
                        (select XMLAGG(XMLElement
                           "ProductVersion",
                           BANNER
                        ) from ALL_REGISTRY_BANNERS)
  into summary
  from DATABASE_SUMMARY_10200 x, (select dbms_xdb.cfg_get() config from dual);
  summary := xmltype(summary.getClobVal());
  return summary;
end;
procedure folderDatabaseSummary
as
  resource_not_found exception;
  PRAGMA EXCEPTION_INIT( resource_not_found , -31001 );
  targetResource varchar2(256) := '/sys/databaseSummary.xml';
  result boolean;
  xmlref ref xmltype;
begin
   begin
     dbms_xdb.deleteResource(targetResource,dbms_xdb.DELETE_FORCE);
   exception
     when resource_not_found then
       null;
   end;
   select make_ref(XDBPM.DATABASE_SUMMARY_XML_10200,'DATABASE_SUMMARY')
   into xmlref
   from dual;
   result := dbms_xdb.createResource(targetResource,xmlref);
   dbms_xdb.setAcl(targetResource,'/sys/acls/bootstrap_acl.xml');
end;
procedure addServletMapping (pattern varchar2,
                             servletname varchar2,
                             dispname varchar2,
                             servletclass varchar2,
                             servletschema varchar2,
                             language varchar2 := 'Java',
                             description varchar2 := '',
                             securityRole xmltype := NULL
as
  xdbconfig xmltype;
begin
   xdbconfig := dbms_xdb.cfg_get();
   select deleteXML
            xdbconfig,
            '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-list/servlet[servlet-name="' || servletname || '"]'
          into xdbconfig
          from dual;
   if (language = 'C') then
     select insertChildXML
              xdbconfig,
              '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-list',
              'servlet',
              xmlElement
                "servlet",
                xmlAttributes('http://xmlns.oracle.com/xdb/xdbconfig.xsd' as "xmlns"),
                xmlForest
                   servletname as "servlet-name",
                   language as "servlet-language",
                   dispname as "display-name",
                   description as "description"
                securityRole           
       into xdbconfig
       from dual;
   else
     select insertChildXML
              xdbconfig,
              '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-list',
              'servlet',
              xmlElement
                "servlet",
                xmlAttributes('http://xmlns.oracle.com/xdb/xdbconfig.xsd' as "xmlns"),
                xmlForest
                   servletname as "servlet-name",
                   language as "servlet-language",
                   dispname as "display-name",
                   description as "description",
                   servletclass as "servlet-class",
                   servletschema as "servlet-schema"
       into xdbconfig
       from dual;
   end if;
   select deleteXML
            xdbconfig,
            '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-mappings/servlet-mapping[servlet-name="' || servletname || '"]'
          into xdbconfig
          from dual;
   select insertChildXML
            xdbconfig,
            '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-mappings',
            'servlet-mapping',
            xmltype
               '<servlet-mapping xmlns="http://xmlns.oracle.com/xdb/xdbconfig.xsd">
                  <servlet-pattern>'||pattern||'</servlet-pattern>
                  <servlet-name>'||servletname||'</servlet-name>
                </servlet-mapping>'
     into xdbconfig
     from dual;
  dbms_xdb.cfg_update(xdbconfig);
end;
procedure deleteservletMapping (servletname varchar2)
as
  xdbconfig xmltype;
begin
   xdbconfig := dbms_xdb.cfg_get();
   select deleteXML
            xdbconfig,
            '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-list/servlet[servlet-name="' || servletname || '"]'
          into xdbconfig
          from dual;
   select deleteXML
            xdbconfig,
            '/xdbconfig/sysconfig/protocolconfig/httpconfig/webappconfig/servletconfig/servlet-mappings/servlet-mapping[servlet-name="' || servletname || '"]'
          into xdbconfig
          from dual;
  dbms_xdb.cfg_update(xdbconfig);
end;
end XDB_CONFIGURATION_10200;
show errors
grant execute on XDB_CONFIGURATION_10200 to public
create or replace public synonym XDB_CONFIGURATION for XDB_CONFIGURATION_10200
desc XDB_CONFIGURATION
show errors
call xdb_configuration.folderDatabaseSummary()
set echo on
set pages 100
set long 10000
select xdburitype('/sys/databaseSummary.xml').getXML() from dual
alter session set current_schema = SYS
/

Similar Messages

  • Archived log files not registered in the Database

    I have Widows Server 2008 R2
    I have Oracle 11g R2
    I configured primary and standby database in 2 physical servers , please find below the verification:
    I am using DG Broker
    Renetly I did failover from primary to standby database
    Then I did REINSTATE DATABASE to returen the old primary to standby mode
    Then I did Switchover again
    I have problem that archive logs not registered and not imeplemented.
    SQL> select max(sequence#) from v$archived_log; 
    MAX(SEQUENCE#)
             16234
    I did alter system switch logfile then I ssue the following statment to check and I found same number in primary and stanbyd has not been changed
    SQL> select max(sequence#) from v$archived_log;
    MAX(SEQUENCE#)
             16234
    Any body can help please?
    Regards

    Thanks for reply
    What I mean after I do alter system switch log file, I can see the archived log files is generated in the physical Disk but when
    select MAX(SEQUENCE#) FROM V$ARCHIVED_LOG;
    the sequence number not changed it should increase by 1 when ever I do switch logfile.
    however I did as you asked please find the result below:
    SQL> alter system switch logfile;
    System altered.
    SQL> /
    System altered.
    SQL> /
    System altered.
    SQL> /
    System altered.
    SQL> SELECT DB_NAME,HOSTNAME,LOG_ARCHIVED,LOG_APPLIED_02,LOG_APPLIED_03,APPLIED_TIME,LOG_ARCHIVED - LOG_APPLIED_02 LOG_GAP_02,
      2  LOG_ARCHIVED - LOG_APPLIED_03 LOG_GAP_03
      3  FROM (SELECT NAME DB_NAME FROM V$DATABASE),
      4  (SELECT UPPER(SUBSTR(HOST_NAME, 1, (DECODE(INSTR(HOST_NAME, '.'),0, LENGTH(HOST_NAME),(INSTR(HOST_NAME, '.') - 1))))) HOSTNAME FROM V$INSTANCE),
      5  (SELECT MAX(SEQUENCE#) LOG_ARCHIVED FROM V$ARCHIVED_LOG WHERE DEST_ID = 1 AND ARCHIVED = 'YES'),
      6  (SELECT MAX(SEQUENCE#) LOG_APPLIED_02 FROM V$ARCHIVED_LOG WHERE DEST_ID = 2 AND APPLIED = 'YES'),
      7  (SELECT MAX(SEQUENCE#) LOG_APPLIED_03 FROM V$ARCHIVED_LOG WHERE DEST_ID = 3 AND APPLIED = 'YES'),
      8  (SELECT TO_CHAR(MAX(COMPLETION_TIME), 'DD-MON/HH24:MI') APPLIED_TIME FROM V$ARCHIVED_LOG WHERE DEST_ID = 2 AND APPLIED = 'YES');
    DB_NAME HOSTNAME           LOG_ARCHIVED   LOG_APPLIED_02    LOG_APPLIED_03     APPLIED_TIME     LOG_GAP_02      LOG_GAP_03
    EPPROD  CORSKMBBOR01     16252                  16253                        (null)                      15-JAN/12:04                  -1                   (       null)

  • Oracle standby/redo log file shipping keeps needing logs re-registering

    Hi
    We have Log File Shipping enabled and the prod system ships redo logs over to the LFS server. It's kept 24 hours behind. It usually ships the logs (and I believe automatically registers them) without issue.
    EXCEPT - it keeps complaining about missing redo log files.
    The file is usually there; but just needs registering with:
    alter database register or replace logfile '/oracle/S1P/saparch/S1Parch1_636443_654987192.dbf';
    (we found if we left out the 'or replace' it takes a very long time or even hangs)
    It then plods on and applies the next... can go for another 2 or 3... or 20... but then often gets stuck again, and you need to register the next.
    Can spend whole days on this...!!
    We did try running a script to register the next 1365 redo logs! It failed on 4, so I ran it again... it worked on those 4, but turned up 3 others it had worked with before! HUH?!? So manually did those 3 ... fine... it carried on rolling forward... but got stuck after 10 minutes again when it hit another it reckoned needed registering (we'd already done it twice!!).
    Any ideas?
    Ross

    Hi
    We have Log File Shipping enabled and the prod system ships redo logs over to the LFS server. It's kept 24 hours behind. It usually ships the logs (and I believe automatically registers them) without issue.
    EXCEPT - it keeps complaining about missing redo log files.
    The file is usually there; but just needs registering with:
    alter database register or replace logfile '/oracle/S1P/saparch/S1Parch1_636443_654987192.dbf';
    (we found if we left out the 'or replace' it takes a very long time or even hangs)
    It then plods on and applies the next... can go for another 2 or 3... or 20... but then often gets stuck again, and you need to register the next.
    Can spend whole days on this...!!
    We did try running a script to register the next 1365 redo logs! It failed on 4, so I ran it again... it worked on those 4, but turned up 3 others it had worked with before! HUH?!? So manually did those 3 ... fine... it carried on rolling forward... but got stuck after 10 minutes again when it hit another it reckoned needed registering (we'd already done it twice!!).
    Any ideas?
    Ross

  • Create different log file with different schema by spool

    Hello,
    I want to know a way to create a different log file depend on different schema
    I have two schema on same db server
    1) schema kennam/*****/kennam
    2) schema koonhey/*****/koonhey
    by a way, I want to create a different log file name e.g. kennam.log / koonhey.log on such two schema...
    I always run @showbalance; to run showbalance.sql to create that report..
    I hope you understand what I talking about (english is not my native language........), anyone could help?
    showbalancelog.sql
    spool c:\log.log+
    spool c:\log.log
    select to_char(sysdate,'dd-mm-yyyy hh:mi:ss') from dual;
    column com_name format a20;
    select cus.tid, cus.com_name com_name, cus.com_balance,
    NVL((select sum(invoice_total) from invoice where com_id=cus.tid),0) sum_invoice,
    NVL((select sum(cheque_amount) from income where com_id=cus.tid),0) sum_income,
    cus.com_balance -
    NVL((select sum(invoice_total) from invoice where com_id=cus.tid),0) +
    NVL((select sum(cheque_amount) from income where com_id=cus.tid),0) total_balance
    from customers cus
    order by cus.tid;
    spool off

    okey I solved on this way, is anyone know another simpler way?
    be simpler part
    variable vspoolfile varchar2(20)
    declare
    username varchar2(20);
    spoolfile varchar2(50);
    begin
    select 'c:\' || user || '.log' into spoolfile from dual;
    -- spoolfile := 'c:\' || username || '.log';
    :vspoolfile := spoolfile;
    -- dbms_output.PUT_LINE(spoolfile);
    end;
    -- print :vspoolfile;
    column spoolfilecol new_value definespoolfile noprint
    select :vspoolfile spoolfilecol from dual;full content of my showbalancelog.sql file
    variable vspoolfile varchar2(20)
    declare
    username varchar2(20);
    spoolfile varchar2(50);
    begin
    select 'c:\' || user || '.log' into spoolfile from dual;
    -- spoolfile := 'c:\' || username || '.log';
    :vspoolfile := spoolfile;
    -- dbms_output.PUT_LINE(spoolfile);
    end;
    -- print :vspoolfile;
    column spoolfilecol new_value definespoolfile noprint
    select :vspoolfile spoolfilecol from dual;
    spool &definespoolfile;
    column com_name format a20;
    select cus.tid, cus.com_name com_name, cus.com_balance,
    NVL((select sum(invoice_total) from invoice where com_id=cus.tid),0) sum_invoice,
    NVL((select sum(cheque_amount) from income where com_id=cus.tid),0) sum_income,
    cus.com_balance -
    NVL((select sum(invoice_total) from invoice where com_id=cus.tid),0) +
    NVL((select sum(cheque_amount) from income where com_id=cus.tid),0) total_balance
    from customers cus
    order by cus.tid;
    spool off;

  • Ipod touch 4g is in recovery mode, whey try to restore it thorugh iTunes, I get error 40 below is log file....

    pls help me to fix this problem.
    log file...
    2014-02-24 14:04:20.396 [1192:14d4]: restore library built Jan  7 2014 at 02:02:33
    2014-02-24 14:04:20.397 [1192:14d4]: iTunes: iTunes 11.1.4.62
    2014-02-24 14:04:20.397 [1192:14d4]: iTunes: Software payload version: 10B500
    2014-02-24 14:04:20.397 [1192:14d4]: iTunes: Using iTunes state machine
    2014-02-24 14:12:16.573 [1192:10d0]: iTunes: Specifying UOI boot image
    2014-02-24 14:12:16.774 [1192:10d0]: requested restore behavior: Erase
    2014-02-24 14:12:16.774 [1192:10d0]: requested variant: Erase
    2014-02-24 14:12:16.997 [1192:10d0]: *** UUID B30995A9-9CBE-F743-9507-039BDD0D56EF ***
    2014-02-24 14:12:17.390 [1192:10d0]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:12:22.429 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: withApTicket is True
    2014-02-24 14:12:22.429 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "RestoreLogo" Digest = "<CFData 063BE060 [720A907C]>{length = 20, capacity = 20, bytes = 0x3ced32535b4f03e3cdd4f55d4d29e16bdf6b3536}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "RestoreDeviceTree" Digest = "<CFData 063BFF08 [720A907C]>{length = 20, capacity = 20, bytes = 0x8b90263d2d4d916029bb28321fe214b7056dab33}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "RestoreKernelCache" Digest = "<CFData 063BECC0 [720A907C]>{length = 20, capacity = 20, bytes = 0x7788d3144dbc9f173ff12878570d11c0cdff4e35}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "RestoreRamDisk" Digest = "<CFData 063BFDE8 [720A907C]>{length = 20, capacity = 20, bytes = 0x947ce636269ab8f999739b5a72d820c70102912a}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "iBEC" Digest = "<CFData 063BEC78 [720A907C]>{length = 20, capacity = 20, bytes = 0x86aa6a33d416b8183226d0b9188df879c0666e8a}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "iBSS" Digest = "<CFData 063BF890 [720A907C]>{length = 20, capacity = 20, bytes = 0xd1534e338ae80b9b4addae3c77a83a6186fe75ab}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "KernelCache" Digest = "<CFData 063BFE78 [720A907C]>{length = 20, capacity = 20, bytes = 0x7788d3144dbc9f173ff12878570d11c0cdff4e35}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryLow1" Digest = "<CFData 063BF338 [720A907C]>{length = 20, capacity = 20, bytes = 0x79be5d2f2f7054aa2d7bdd5b66e3a0eca07a725b}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryLow0" Digest = "<CFData 063BFE30 [720A907C]>{length = 20, capacity = 20, bytes = 0x1abed33b398f978c681b346ea167eb26eaf3b38e}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "LLB" Digest = "<CFData 063BDF88 [720A907C]>{length = 20, capacity = 20, bytes = 0x21abcad73c393fb9d197b34403d52ec82643ffc4}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "iBoot" Digest = "<CFData 063BEC30 [720A907C]>{length = 20, capacity = 20, bytes = 0xfa0dc3003aeb828feda55a4ffb8027d10f054bce}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "DeviceTree" Digest = "<CFData 063BFDA0 [720A907C]>{length = 20, capacity = 20, bytes = 0x8b90263d2d4d916029bb28321fe214b7056dab33}"
    2014-02-24 14:12:22.430 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryCharging1" Digest = "<CFData 063BFD58 [720A907C]>{length = 20, capacity = 20, bytes = 0xc504724a963b954e32478d6920311a32baca15b9}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryCharging" Digest = "<CFData 063BFC38 [720A907C]>{length = 20, capacity = 20, bytes = 0x808a3980c646bd6d87921c9dba79c54a7759395a}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "AppleLogo" Digest = "<CFData 063BED08 [720A907C]>{length = 20, capacity = 20, bytes = 0x3ced32535b4f03e3cdd4f55d4d29e16bdf6b3536}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryPlugin" Digest = "<CFData 063BF578 [720A907C]>{length = 20, capacity = 20, bytes = 0x62d392da7901734968084e882ab8d687bc917be8}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryFull" Digest = "<CFData 063BFBA8 [720A907C]>{length = 20, capacity = 20, bytes = 0x059a392a0e7dccbfdc2f918cd59f4f5b4b140df8}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "BatteryCharging0" Digest = "<CFData 063BF410 [720A907C]>{length = 20, capacity = 20, bytes = 0x421d229710239b268c3a2544a4fb161a3d6288aa}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: personalizing "RecoveryMode" Digest = "<CFData 063BF3C8 [720A907C]>{length = 20, capacity = 20, bytes = 0xa01b8483c6d2f2355569951d0e72df454f4432a7}"
    2014-02-24 14:12:22.431 [1192:10d0]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: using UniqueBuildID <CFData 063C3700 [720A907C]>{length = 20, capacity = 20, bytes = 0x9738ff132ae5b77833acdf2aa72af1558c4734d2}
    2014-02-24 14:12:22.431 [1192:10d0]: amai: AMAuthInstallRequestSendSync: SSO function returned NULL, SSO disabled.
    2014-02-24 14:12:22.685 [1192:10d0]: amai: AMAuthInstallDebugWriteObject: debug object written: file://localhost/C:/Users/RAKESH~1/AppData/Local/Temp/Per76A5.tmp/amai/debug/ts s-request.plist
    2014-02-24 14:12:24.350 [1192:10d0]: amai: tss_submit_job: HttpQueryInfo returned 200
    2014-02-24 14:12:25.032 [1192:10d0]: amai: AMAuthInstallRequestSendSync: received tss response (server version: 2.1.0)
    2014-02-24 14:12:25.078 [1192:10d0]: amai: AMAuthInstallDebugWriteObject: debug object written: file://localhost/C:/Users/RAKESH~1/AppData/Local/Temp/Per76A5.tmp/amai/debug/ts s-response.plist
    2014-02-24 14:12:26.597 [1192:10d0]: amai: _AMAuthInstallBundlePopulatePersonalizedBundle: no entry in manifest found for "Diags"
    2014-02-24 14:12:27.466 [1192:3a4]: iBoot build-version = iBoot-1537.9.55
    2014-02-24 14:12:27.467 [1192:3a4]: iBoot build-style = RELEASE
    2014-02-24 14:12:27.468 [1192:3a4]: requested restore behavior: Erase
    2014-02-24 14:12:27.469 [1192:3a4]: requested restore behavior: Erase
    2014-02-24 14:12:27.471 [1192:3a4]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:27.472 [1192:3a4]: found device map entry for 0x00008930 0x00000008. boardConfig=n81ap platform=s5l8930x
    2014-02-24 14:12:27.473 [1192:3a4]: _AMRestoreCopyDeviceMapPlistEntryForHardware: firmwareDirectory not in options
    2014-02-24 14:12:27.474 [1192:3a4]: AMDeviceIoControl: GetOverlappedResult failed
    2014-02-24 14:12:27.475 [1192:3a4]: AMDeviceIoControl: pipe stall
    2014-02-24 14:12:27.476 [1192:3a4]: USBControlTransfer: error 31, usbd status c0000004
    2014-02-24 14:12:27.477 [1192:3a4]: command device request for 'getenv radio-error' failed: 2008
    2014-02-24 14:12:27.477 [1192:3a4]: radio-error not set
    2014-02-24 14:12:27.478 [1192:3a4]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:27.480 [1192:3a4]: <Recovery Mode Device 025E0430>: production fused device
    2014-02-24 14:12:27.481 [1192:3a4]: requested restore behavior: Erase
    2014-02-24 14:12:27.481 [1192:3a4]: requested restore behavior: Erase
    2014-02-24 14:12:27.482 [1192:3a4]: interface has 1 endpoints, file pipe = 1
    2014-02-24 14:12:27.482 [1192:3a4]: <Recovery Mode Device 025E0430>: operation 4 progress -1
    2014-02-24 14:12:30.448 [1192:3a4]: bootstrapping restore with iBEC
    2014-02-24 14:12:30.449 [1192:3a4]: requested restore behavior: Erase
    2014-02-24 14:12:30.463 [1192:3a4]: <Recovery Mode Device 025E0430>: operation 31 progress -1
    2014-02-24 14:12:31.463 [1192:3a4]: <Recovery Mode Device 025E0430>: Recovery mode succeeded
    2014-02-24 14:12:37.516 [1192:17a4]: WinAMRestore::OnInterfaceRemoval: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3
    2014-02-24 14:12:37.521 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4
    2014-02-24 14:12:37.590 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.622 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.651 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.664 [1192:17a4]: AppleDevice::SetNotification: CONNECT, interface type: 1, id: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4, inst: 0x10bf1a50
    2014-02-24 14:12:37.664 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList, new device
    2014-02-24 14:12:37.665 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4
    2014-02-24 14:12:37.692 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.716 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.739 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:37.869 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList, device already connected, new interface
    2014-02-24 14:12:37.869 [1192:17a4]: AppleDevice::SetDeviceID: AMD_INTERFACE_IBOOT \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:37.869 [1192:17a4]: AppleDevice::SetNotification: CONNECT, interface type: 1, id: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:37.869 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 1
    2014-02-24 14:12:37.869 [1192:17a4]: AppleDevice::NotifyDisconnect: IBOOT, IBOOT \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3, inst: 0x63eb870
    2014-02-24 14:12:37.869 [1192:17a4]:                                IBOOT, DFU \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3, inst: 0x63eb870
    2014-02-24 14:12:37.869 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 1, connected: 0
    2014-02-24 14:12:37.869 [1192:17a4]: AppleDevice::NotifyConnect: Device type: 2, Interfaces total: 2, arrived: 2
    2014-02-24 14:12:37.870 [1192:17a4]: AppleDevice::NotifyConnect: IBOOT, IBOOT \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:37.870 [1192:17a4]:                             IBOOT, DFU \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4, inst: 0x10bf1a50
    2014-02-24 14:12:37.874 [1192:1558]: Recovery mode device disconnected
    2014-02-24 14:12:37.874 [1192:1558]: Recovery mode device disconnected
    2014-02-24 14:12:37.877 [1192:1558]: Recovery mode device connected
    2014-02-24 14:12:37.877 [1192:1558]: Found new device.
    2014-02-24 14:12:37.880 [1192:1450]: _AMRecoveryModeDeviceFinalize: 025E0430
    2014-02-24 14:12:37.881 [1192:14d4]: iTunes: SCEP 2
    2014-02-24 14:12:37.969 [1192:544]: iBoot build-version = iBoot-1537.9.55
    2014-02-24 14:12:37.970 [1192:544]: iBoot build-style = RELEASE
    2014-02-24 14:12:37.970 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 44 progress -1
    2014-02-24 14:12:37.970 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:37.970 [1192:544]: requested variant: Erase
    2014-02-24 14:12:37.971 [1192:544]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: withApTicket is False
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RestoreLogo"
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RestoreDeviceTree"
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "RestoreKernelCache" has been previously personalized; skipping it
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "RestoreRamDisk" has been previously personalized; skipping it
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "iBEC" has been previously personalized; skipping it
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "iBSS" has been previously personalized; skipping it
    2014-02-24 14:12:38.674 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "KernelCache" has been previously personalized; skipping it
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryLow1"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryLow0"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "LLB" has been previously personalized; skipping it
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "iBoot"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "DeviceTree"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging1"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "AppleLogo"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryPlugin"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryFull"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging0"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RecoveryMode"
    2014-02-24 14:12:38.675 [1192:544]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: nothing to be done
    2014-02-24 14:12:38.675 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:38.676 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:38.676 [1192:544]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:38.677 [1192:544]: found device map entry for 0x00008930 0x00000008. boardConfig=n81ap platform=s5l8930x
    2014-02-24 14:12:38.677 [1192:544]: _AMRestoreCopyDeviceMapPlistEntryForHardware: firmwareDirectory not in options
    2014-02-24 14:12:38.677 [1192:544]: AMDeviceIoControl: GetOverlappedResult failed
    2014-02-24 14:12:38.677 [1192:544]: AMDeviceIoControl: pipe stall
    2014-02-24 14:12:38.677 [1192:544]: USBControlTransfer: error 31, usbd status c0000004
    2014-02-24 14:12:38.677 [1192:544]: command device request for 'getenv radio-error' failed: 2008
    2014-02-24 14:12:38.677 [1192:544]: radio-error not set
    2014-02-24 14:12:38.677 [1192:544]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:38.678 [1192:544]: <Recovery Mode Device 025DFDD0>: production fused device
    2014-02-24 14:12:38.678 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:38.678 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:38.679 [1192:544]: interface has 1 endpoints, file pipe = 1
    2014-02-24 14:12:38.679 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 4 progress -1
    2014-02-24 14:12:41.655 [1192:544]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:41.656 [1192:544]: found device map entry for 0x00008930 0x00000008. boardConfig=n81ap platform=s5l8930x
    2014-02-24 14:12:41.656 [1192:544]: _AMRestoreCopyDeviceMapPlistEntryForHardware: firmwareDirectory not in options
    2014-02-24 14:12:41.656 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:41.659 [1192:544]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:12:41.661 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:41.664 [1192:544]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:12:41.666 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 42 progress -1
    2014-02-24 14:12:41.666 [1192:544]: requested restore behavior: Erase
    2014-02-24 14:12:41.669 [1192:544]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:12:42.160 [1192:17a4]: WinAMRestore::OnInterfaceRemoval: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3
    2014-02-24 14:12:42.163 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4
    2014-02-24 14:12:42.231 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.285 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.340 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.364 [1192:17a4]: AppleDevice::SetNotification: NONE, interface type: 0, id: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4, inst: 0x10bf1a50
    2014-02-24 14:12:42.367 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4
    2014-02-24 14:12:42.432 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.487 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.541 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:42.566 [1192:17a4]: AppleDevice::SetNotification: NONE, interface type: 0, id: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:42.567 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 0
    2014-02-24 14:12:42.567 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 0, connected: 1
    2014-02-24 14:12:42.706 [1192:544]: AMDeviceIoControl: GetOverlappedResult failed
    2014-02-24 14:12:42.706 [1192:544]: AMDeviceIoControl: pipe stall
    2014-02-24 14:12:42.706 [1192:544]: USBControlTransfer: error 31, usbd status c0000004
    2014-02-24 14:12:42.706 [1192:544]: command device request for 'getenv ramdisk-size' failed: 2008
    2014-02-24 14:12:42.707 [1192:544]: Unable to query iBoot ramdisk-size. Libusbrestore error : 67108864
    2014-02-24 14:12:42.707 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 5 progress -1
    2014-02-24 14:12:43.100 [1192:544]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:43.100 [1192:544]: found device map entry for 0x00008930 0x00000008. boardConfig=n81ap platform=s5l8930x
    2014-02-24 14:12:43.100 [1192:544]: _AMRestoreCopyDeviceMapPlistEntryForHardware: firmwareDirectory not in options
    2014-02-24 14:12:43.102 [1192:544]: AMDeviceIoControl: GetOverlappedResult failed
    2014-02-24 14:12:43.102 [1192:544]: AMDeviceIoControl: pipe stall
    2014-02-24 14:12:43.102 [1192:544]: USBControlTransfer: error 31, usbd status c0000004
    2014-02-24 14:12:43.102 [1192:544]: command device request for 'getenv ramdisk-delay' failed: 2008
    2014-02-24 14:12:44.141 [1192:17a4]: WinAMRestore::OnInterfaceArrival: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4
    2014-02-24 14:12:44.141 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4
    2014-02-24 14:12:44.187 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.227 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.260 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.272 [1192:17a4]: AppleDevice::SetNotification: NONE, interface type: 0, id: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:44.272 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 0
    2014-02-24 14:12:44.272 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 0, connected: 1
    2014-02-24 14:12:44.361 [1192:17a4]: WinAMRestore::OnInterfaceArrival: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4
    2014-02-24 14:12:44.361 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4
    2014-02-24 14:12:44.389 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.412 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.435 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:12:44.446 [1192:17a4]: AppleDevice::SetNotification: NONE, interface type: 0, id: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4, inst: 0x10bf1a50
    2014-02-24 14:12:44.446 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 0
    2014-02-24 14:12:44.446 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 0, connected: 1
    2014-02-24 14:12:45.138 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 6 progress -1
    2014-02-24 14:12:46.148 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 7 progress -1
    2014-02-24 14:12:46.482 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 8 progress -1
    2014-02-24 14:12:46.483 [1192:544]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:12:46.484 [1192:544]: found device map entry for 0x00008930 0x00000008. boardConfig=n81ap platform=s5l8930x
    2014-02-24 14:12:46.484 [1192:544]: _AMRestoreCopyDeviceMapPlistEntryForHardware: firmwareDirectory not in options
    2014-02-24 14:12:46.485 [1192:544]: <Recovery Mode Device 025DFDD0>: operation 9 progress -1
    2014-02-24 14:12:46.485 [1192:544]: <Recovery Mode Device 025DFDD0>: Recovery mode succeeded
    2014-02-24 14:12:48.195 [1192:17a4]: WinAMRestore::OnInterfaceRemoval: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4
    2014-02-24 14:12:48.200 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 0
    2014-02-24 14:12:48.201 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 2, connected: 1
    2014-02-24 14:12:48.201 [1192:17a4]: AppleDevice::NotifyDisconnect: IBOOT, IBOOT \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#3702aee 4, inst: 0x10bf1a50
    2014-02-24 14:12:48.201 [1192:17a4]:                                IBOOT, DFU \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4, inst: 0x10bf1a50
    2014-02-24 14:12:48.210 [1192:1450]: Recovery mode device disconnected
    2014-02-24 14:12:48.211 [1192:1450]: Recovery mode device disconnected
    2014-02-24 14:12:48.214 [1192:1558]: _AMRecoveryModeDeviceFinalize: 025DFDD0
    2014-02-24 14:12:48.382 [1192:17a4]: WinAMRestore::OnInterfaceRemoval: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#3702aee4
    2014-02-24 14:12:48.384 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 2, connected: 0
    2014-02-24 14:12:48.384 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 2, connected: 0
    2014-02-24 14:13:00.982 [1192:cfc]: Mux version 3 event happened
    2014-02-24 14:13:00.982 [1192:cfc]: Passing control to mux version 2 handler
    2014-02-24 14:13:00.983 [1192:cfc]: Muxed mode device connected
    2014-02-24 14:13:01.049 [1192:e7c]: <Restore Device 0641A9E8>: operation 3 progress -1
    2014-02-24 14:13:01.055 [1192:e7c]: <Restore Device 0641A9E8>: operation 4 progress -1
    2014-02-24 14:13:01.266 [1192:1664]: received kAMDeviceAttached action, device id E80CE514C875BC07 (0641AB88), AFC error 0XE8000028
    2014-02-24 14:13:01.266 [1192:1664]: iTunes: Restore-mode device appeared, device 0641AB88
    2014-02-24 14:13:01.266 [1192:1664]: iTunes: Creating restore mode device with usbMuxDeviceID 0X1
    2014-02-24 14:13:01.267 [1192:1664]: <Restore Device 06F59780>: operation 3 progress -1
    2014-02-24 14:13:01.272 [1192:1664]: <Restore Device 06F59780>: operation 4 progress -1
    2014-02-24 14:13:01.297 [1192:e7c]: Supports value queries: 1
    2014-02-24 14:13:01.300 [1192:1664]: Supports value queries: 1
    2014-02-24 14:13:01.314 [1192:e7c]: value query for 'SerialNumber' returned 'C3VDMTBQDCP9'
    2014-02-24 14:13:01.314 [1192:e7c]: <Restore Device 0641A9E8>: operation 3 progress -1
    2014-02-24 14:13:01.321 [1192:e7c]: <Restore Device 0641A9E8>: operation 4 progress -1
    2014-02-24 14:13:01.326 [1192:e7c]: Supports value queries: 1
    2014-02-24 14:13:01.336 [1192:1154]: Found new device
    2014-02-24 14:13:01.368 [1192:f44]: <Restore Device 06F59780>: operation 44 progress -1
    2014-02-24 14:13:01.368 [1192:f44]: requested restore behavior: Erase
    2014-02-24 14:13:01.368 [1192:f44]: requested variant: Erase
    2014-02-24 14:13:01.372 [1192:f44]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: withApTicket is False
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RestoreLogo"
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RestoreDeviceTree"
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "RestoreKernelCache" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "RestoreRamDisk" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "iBEC" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "iBSS" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "KernelCache" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryLow1"
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryLow0"
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: entry "LLB" has been previously personalized; skipping it
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "iBoot"
    2014-02-24 14:13:02.146 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "DeviceTree"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging1"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "AppleLogo"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryPlugin"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryFull"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "BatteryCharging0"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: not personalizing "RecoveryMode"
    2014-02-24 14:13:02.147 [1192:f44]: amai: _AMAuthInstallBundleCreateServerRequestDictionary: nothing to be done
    2014-02-24 14:13:02.147 [1192:f44]: requested restore behavior: Erase
    2014-02-24 14:13:02.149 [1192:f44]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:13:02.166 [1192:f44]: fixed TcpWindowSize (65535) can cause restore failure if too large
    2014-02-24 14:13:02.238 [1192:f44]: device did not return saved USB log
    2014-02-24 14:13:02.238 [1192:f44]: device had saved panic logs: panic(cpu 0 caller 0x80632111): "partition scheme present; however, no partition devices were created"@/SourceCache/IOFlashStorage/IOFlashStorage-558.4/IOFlashPartitionSchem e.cpp:267
    Debugger message: panic
    OS version: 9A405
    Kernel version: Darwin Kernel Version 11.0.0: Tue Nov  1 20:33:58 PDT 2011; root:xnu-1878.4.46~1/RELEASE_ARM_S5L8930X
    iBoot version: iBoot-1219.43.32
    secure boot?: YES
    Paniclog version: 1
    Epoch Time:        sec       usec
      Boot    : 0x526e9493 0x00000000
      Sleep   : 0x00000000 0x00000000
      Wake    : 0x00000000 0x00000000
      Calendar: 0x526e94a6 0x000e2944
    Task 0xc0562d20: 2451 pages, 81 threads: pid 0: kernel_task
              thread 0xc064b230
                        kernel backtrace: cb643e2c
                          lr: 0x8007cc6b  fp: 0xcb643e58
                          lr: 0x8007d26f  fp: 0xcb643e88
                          lr: 0x80016391  fp: 0xcb643ea0
                          lr: 0x80632111  fp: 0xcb643ecc
                          lr: 0x806323b9  fp: 0xcb643ee0
                          lr: 0x8020dd3b  fp: 0xcb643f18
                          lr: 0x8020db31  fp: 0xcb643f5c
                          lr: 0x8020e509  fp: 0xcb643f80
                          lr: 0x8020e2e5  fp: 0xcb643fa8
                          lr: 0x8007b37c  fp: 0x00000000
    Task 0xc0562ac0: 283 pages, 3 threads: pid 1: launchd
    Task 0xc0562860: 515 pages, 1 threads: pid 2: launchctl
    Task 0xc0562600: 690 pages, 1 threads: pid 3: restored_externa
    Task 0xc05623a0: 3000 pages, 2 threads: pid 4: restored_externa
    2014-02-24 14:13:02.248 [1192:f44]: connected to service com.apple.mobile.restored
    2014-02-24 14:13:02.248 [1192:f44]: using protocol version 12
    2014-02-24 14:13:02.256 [1192:f44]: unable to open device_map.txt: No such file or directory
    2014-02-24 14:13:02.257 [1192:f44]: board config = n81ap
    2014-02-24 14:13:02.264 [1192:f44]: no value returned for BootArgs
    2014-02-24 14:13:02.264 [1192:f44]: _copyDeviceProperty() failed for restore bootargs
    2014-02-24 14:13:02.272 [1192:f44]: no value returned for MarketingPartNumber
    2014-02-24 14:13:02.272 [1192:f44]: _copyDeviceProperty() failed for mpn
    2014-02-24 14:13:02.273 [1192:f44]: requested restore behavior: Erase
    2014-02-24 14:13:02.274 [1192:f44]: amai: AMAuthInstallBundleCopyBuildIdentityForVariant: No baseband chipid reported. Will match Build Identity based on ap chipid and boardid only.
    2014-02-24 14:13:02.285 [1192:f44]: value query for 'HardwareModel' returned 'N81AP'
    2014-02-24 14:13:32.300 [1192:f44]: <Restore Device 06F59780>: operation 28 progress -1
    2014-02-24 14:13:32.364 [1192:f44]: device returned CFError with code 40
    2014-02-24 14:13:32.364 [1192:f44]: dumping CFError returned by restored:
    2014-02-24 14:13:32.364 [1192:f44]: CFError domain:AMRestoreErrorDomain code:40 description:storage device did not become available
    2014-02-24 14:13:32.384 [1192:f44]:
    ==== device restore output ====
    "P=N81 m=2.2 V=m"
    AppleBCMWLANBusInterfaceSdio::start(): Started by: IOSDIOIoCardDevice, AppleBCMWLANV2-169.10 Feb 13 2013 22:10:14
    AppleBCMWLANCore::init(): AppleBCMWLANV2-169.10 Feb 13 2013 22:10:17
    000522.906303 wlan.W[0] AppleBCMWLANProvisioningManager::parseApplePrivateCIS():  @24 - Invalid 2.4 GHz Cal data in tuple 0x02
    000522.907778 wlan.N[1] AppleBCMWLANProvisioningManager::handleBluetoothRegistrationGated():  Wrote bluetooth Mac Addr <<<mac address>>>
    000522.909596 wlan.N[2] AppleBCMWLANConfigManager::gatherParameterData():  AWDL is not supported.
    000522.914563 wlan.N[3] AppleBCMWLANCore:start(): Starting with MAC Address: <<<mac address>>>
    000522.914795 wlan.W[4] AppleBCMWLANCore::apple80211Request():  Rejecting ioctl 80, error 61 (state 0x20)
    IO80211PeerManager::initWithInterface cant add monitoring timer
    IO80211PeerManager::initWithInterface: inited peer manager
    IO80211Interface::init peerManager=0x916e0600
    000522.916824 wlan.N[5] AppleBCMWLANCore::setPowerStateGated():   powerState 1, fStateFlags 0x20, dev 0x83b41000 (this 1, provider 0)
    000522.916944 wlan.N[6] AppleBCMWLANCore::setPowerStateGated():  Received power state change before driver has initialized, ignoring
    display-scale = 2
    display-rotation = 0
    found suitable IOMobileFramebuffer: AppleCLCD
    display: 640 x 960
    found PTP interface
    AppleSynopsysOTGDevice - Configuration: PTP
    AppleSynopsysOTGDevice          Interface: PTP
    AppleSynopsysOTGDevice - Configuration: iPod USB Interface
    AppleSynopsysOTGDevice          Interface: USBAudioControl
    AppleSynopsysOTGDevice          Interface: USBAudioStreaming
    AppleSynopsysOTGDevice          Interface: IapOverUsbHid
    AppleSynopsysOTGDevice - Configuration: PTP + Apple Mobile Device
    AppleSynopsysOTGDevice          Interface: PTP
    AppleSynopsysOTGDevice          Interface: AppleUSBMux
    AppleSynopsysOTGDevice - Configuration: PTP + Apple Mobile Device + Apple USB Ethernet
    AppleSynopsysOTGDevice          Interface: PTP
    AppleSynopsysOTGDevice          Interface: AppleUSBMux
    AppleSynopsysOTGDevice          Interface: AppleUSBEthernet
    AppleSynopsysOTGDevice::gated_registerFunction Register function USBAudioControl
    AppleSynopsysOTGDevice::gated_registerFunction Register function USBAudioStreaming
    IOAccessoryPortUSB::start
    AppleSynopsysOTGDevice::gated_registerFunction Register function IapOverUsbHid
    virtual bool AppleUSBDeviceMux::start(IOService *) build: Feb 13 2013 22:02:59
    init_waste
    AppleSynopsysOTGDevice::gated_registerFunction Register function AppleUSBMux
    AppleSynopsysOTGDevice::gated_registerFunction Register function AppleUSBEthernet
    AppleSynopsysOTGDevice::gated_registerFunction Register function PTP
    AppleSynopsysOTGDevice::startUSBStack Starting usb stack
    IOReturn AppleUSBDeviceMux::setPropertiesGated(OSObject *) setting debug level to 7
    read new style signature 0x43313131 (line:389)
    [FTL:MSG] VSVFL Register  [OK]
    [WMR:MSG] Metadata whitening is set in NAND signature
    [FTL:MSG] VFL Init            [OK]
    [VFL:ERR] _LoadVFLCxt(line:1479) fail CS 1!
    [VFL:ERR]  _LoadVFLCxt(wCSIdx:1)(line 1779) fail!
    [WMR:ERR] VFL_Open failed
    AppleNANDLegacyFTL::start: AND init failed
    AppleUSBDeviceMux::handleConnectResult new session 0x90fcce70 established 62078<-lo0->49152 62078<-usb->512
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(12, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(15, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(18, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x90fcce70
    AppleUSBDeviceMux::handleConnectResult new session 0x90fcce70 established 62078<-lo0->49153 62078<-usb->768
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x90fcce70
    AppleUSBDeviceMux::handleConnectResult new session 0x90fcce70 established 62078<-lo0->49154 62078<-usb->1024
    AppleUSBDeviceMux::handleConnectResult new session 0x91816210 established 62078<-lo0->49155 62078<-usb->1280
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x91816210
    AppleUSBDeviceMux::handleConnectResult new session 0x91816210 established 62078<-lo0->49156 62078<-usb->1536
    AppleUSBDeviceMux::handleConnectResult new session 0x91816268 established 62078<-lo0->49157 62078<-usb->1792
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49158 62078<-usb->2048
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x91816268
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x90fcce70
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x90fcce70 established 62078<-lo0->49159 62078<-usb->2304
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49160 62078<-usb->2560
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49161 62078<-usb->2816
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49162 62078<-usb->3072
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49163 62078<-usb->3328
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49164 62078<-usb->3584
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    unrecognized key 'BootArgs' in value query
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    unrecognized key 'MarketingPartNumber' in value query
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    recv(9, 4) failed: connection closed
    unable to read message size: -1
    could not receive message
    client protocol version 13
    *** UUID B30995A9-9CBE-F743-9507-039BDD0D56EF ***
    Restore options:
              UUID                           => <CFString 0x1ed27a50 [0x32b100]>{contents = "B30995A9-9CBE-F743-9507-039BDD0D56EF"}
              MinimumSystemPartition         => <CFNumber 0x1ed279a0 [0x32b100]>{value = +1152, type = kCFNumberSInt64Type}
              SystemPartitionSize            => <CFNumber 0x1ed28300 [0x32b100]>{value = +1152, type = kCFNumberSInt64Type}
              SystemPartitionPadding         => <CFBasicHash 0x1ed27470 [0x32b100]>{type = mutable dict, count = 5,
    entries =>
              2 : <CFString 0x1ed277b0 [0x32b100]>{contents = "128"} = <CFNumber 0x1ed279d0 [0x32b100]>{value = +1280, type = kCFNumberSInt64Type}
              3 : <CFString 0x1ed27ce0 [0x32b100]>{contents = "16"} = <CFNumber 0x1ed27a00 [0x32b100]>{value = +160, type = kCFNumberSInt64Type}
              4 : <CFString 0x1ed1f1a0 [0x32b100]>{contents = "32"} = <CFNumber 0x1ed274d0 [0x32b100]>{value = +320, type = kCFNumberSInt64Type}
              5 : <CFString 0x1ed27100 [0x32b100]>{contents = "8"} = <CFNumber 0x1ed282f0 [0x32b100]>{value = +80, type = kCFNumberSInt64Type}
              8 : <CFString 0x1ed274e0 [0x32b100]>{contents = "64"} = <CFNumber 0x1ed27340 [0x32b100]>{value = +640, type = kCFNumberSInt64Type}
    entering partition_nand_device
    device supports boot-from-NAND
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49165 62078<-usb->3840
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49166 62078<-usb->4096
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49167 62078<-usb->4352
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49168 62078<-usb->4608
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    AppleUSBDeviceMux::handleConnectResult new session 0x918160b0 established 62078<-lo0->49169 62078<-usb->4864
    void AppleUSBDeviceMux::handleMuxTCPInput(mbuf_t) received reset, closing 0x918160b0
    [IOFlashPartitionScheme:ERR] AppleNANDFTL initialization failed
    [nand_part_core:ERR@ 429] no fbbt service available
    [nand_part_core:BUG@3024] failed to create partition devices
    unable to check is-bfn-partitioned property
    nand device is already partitioned
    entering wait_for_storage_device
    Searching for NAND service
    Found NAND service: IOFlashStoragePartition
    NAND failed to initialize: No additional error message.
    ==== end of device restore output ====
    2014-02-24 14:13:32.384 [1192:f44]: AMRAuthInstallDeletePersonalizedBundle
    2014-02-24 14:13:32.892 [1192:f44]: <Restore Device 06F59780>: Restore failed (result = 40)
    2014-02-24 14:13:33.517 [1192:14d4]: iTunes: Restore error 40
    2014-02-24 14:15:03.369 [1192:120]: Looking up device with muxID:1
    2014-02-24 14:15:03.369 [1192:120]: Muxed device disconnected
    2014-02-24 14:15:03.369 [1192:120]: RestoreOS mode device disconnected
    2014-02-24 14:15:09.873 [1192:17a4]: WinAMRestore::OnInterfaceArrival: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3
    2014-02-24 14:15:09.873 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3
    2014-02-24 14:15:09.916 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:09.955 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:09.993 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:10.011 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList, old disconnected device connects again
    2014-02-24 14:15:10.011 [1192:17a4]: AppleDevice::SetNotification: CONNECT, interface type: 1, id: \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3, inst: 0x63eb870
    2014-02-24 14:15:10.011 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 1, connected: 0
    2014-02-24 14:15:10.011 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 2, connected: 0
    2014-02-24 14:15:10.011 [1192:17a4]: AppleDevice::NotifyConnect: Device type: 2, Interfaces total: 2, arrived: 1
    2014-02-24 14:15:10.011 [1192:17a4]: AppleDevice::NotifyConnect: Interfaces total != arrived, no notification
    2014-02-24 14:15:10.123 [1192:17a4]: WinAMRestore::OnInterfaceArrival: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3
    2014-02-24 14:15:10.123 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3
    2014-02-24 14:15:10.165 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:10.188 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:10.211 [1192:17a4]: AppleDevice::EnumerateHubPorts: DoesDriverNameMatchDeviceID failed
    2014-02-24 14:15:10.223 [1192:17a4]: WinAMRestore::AddAppleDeviceToDeviceList, device already connected, new interface
    2014-02-24 14:15:10.223 [1192:17a4]: AppleDevice::SetDeviceID: AMD_INTERFACE_DFU \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3, inst: 0x63eb870
    2014-02-24 14:15:10.223 [1192:17a4]: AppleDevice::SetNotification: CONNECT, interface type: 1, id: \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3, inst: 0x63eb870
    2014-02-24 14:15:10.223 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x063eb870, notify: 1, connected: 1
    2014-02-24 14:15:10.223 [1192:17a4]: WinAMRestore::ProcessDevNodesChanges: device: 0x10bf1a50, notify: 2, connected: 0
    2014-02-24 14:15:10.223 [1192:17a4]: AppleDevice::NotifyConnect: Device type: 2, Interfaces total: 2, arrived: 2
    2014-02-24 14:15:10.223 [1192:17a4]: AppleDevice::NotifyConnect: IBOOT, IBOOT \\?\USB#VID_05AC&PID_1281#{ED82A167-D61A-4AF6-9AB6-11E52236C576}\IB0000#7caf03a 3, inst: 0x63eb870
    2014-02-24 14:15:10.223 [1192:17a4]:                             IBOOT, DFU \\?\USB#VID_05AC&PID_1281#{B8085869-FEB9-404B-8CB1-1E5C14FA8C54}\0000#7caf03a3, inst: 0x63eb870
    2014-02-24 14:15:10.230 [1192:1230]: Recovery mode device connected
    2014-02-24 14:15:10.231 [1192:1230]: Found new device.
    2014-02-24 14:15:10.241 [1192:14d4]: iTunes: SCEP 2

    Update Server
    Try:
    - Powering off and then back on your router.
    - iTunes for Windows: iTunes cannot contact the iPhone, iPad, or iPod software update server
    - Change the DNS to either Google's or Open DNS servers
    Public DNS — Google Developers
    OpenDNS IP Addresses
    - For one user uninstalling/reinstalling iTunes resolved the problem
    - Try on another computer/network
    - Wait if it is an Apple problem

  • Process Flow ignores name and location for Control- and Log-Files

    Hi!
    Our OWB Version is 10.1.0.3.0 - DB Version 9.2.0.7.0 - OWF Version 2.6.2
    Clients and server are running on Windows. Database contains target schemas as well as OWB Design and Runtime, plus OWF repositories. The source files to load reside on the same server as the database.
    I have for example a SQL*Loader Mapping MAP_TEXT which loads one flat file "text.dat" into a table stg_text.
    The mapping MAP_TEXT is well configured and runs perfect. i.e. Control file "text.ctl" is generated to location LOC_CTL, flat file "text.dat" read from another location LOC_DATA, bad file "text.bad" is written to LOC_BAD and the log file "text.log" is placed into LOC_LOG. All locations are registered in runtime repository.
    When I integrate this mapping into a WorkFlow Process PF_TEXT, then only LOC_DATA and LOC_BAD are used. After deploying PF_TEXT, I execute it and found out, that Control and Log file are placed into the directory <OWB_HOME>\owb\temp and got generic names <Mapping Name>.ctl and <Mapping Name>.log (in this case MAP_TEXT.ctl and MAP_TEXT.log).
    How can I influence OWB to execute the Process Flow using the locations configured for the mapping placed inside?
    Has anyone any helpfull idea?
    Thx,
    Johann.

    I didn't expect to be the only one to encounter this misbehaviour of OWB.
    Meanwhile I found out what the problem is and had to recognize that it is like it is!
    There is no solution for it till Paris Release.
    Bug Nr. 3099551 at Oracle MetaLink adresses this issue.
    Regards,
    Johann Lodina.

  • OMBPlus: masking usernames / passwords in log files with ********?

    Hi all,
    Subjects says it: how to hide username and password in OMBPlus logs.
    Any ideas...?
    Br: Ykspisto

    I don't use default OMB+ logging for this reason, plus I often want more robust logging. I also built a wrapper for executing OMB+ statements to simplify my exception handling in my main scripts. By catching both the return string from a statement as well as the exception strings, I keep full control over what gets logged.
    HEre is the meat of my main library file:
    # PVCS Version Information
    #/* $Workfile:   omb_library.tcl  $ $Revision:   2.9  $ */
    #/* $Author:   michael.broughton  $
    #/* $Date:   10 Mar 2009 11:04:50  $ */
    # Default logging function.
    #  Accepts inputs: LOGMSG - a text string to output
    proc log_msg {LOGTYPE LOGMSG} {
       #logs to screen and file
       global SPOOLFILE
       if {![info exists SPOOLFILE]} {
           puts "LOGFILE UNDEFINED! :-> $LOGTYPE:-> $LOGMSG"
       } else {
           set fout [open "$SPOOLFILE" a+]     
           puts $fout "$LOGTYPE:-> $LOGMSG"
           puts "$LOGTYPE:-> $LOGMSG"
           close $fout
    proc log_msg_file_only {LOGTYPE LOGMSG} {
        #logs to file only
        global SPOOLFILE
        if {![info exists SPOOLFILE]} {
           puts "LOGFILE UNDEFINED! :-> $LOGTYPE:-> $LOGMSG"
        } else {
           set fout [open "$SPOOLFILE" a+]     
           puts $fout "$LOGTYPE:-> $LOGMSG"
           close $fout
    proc exit_failure { msg } {
       log_msg ERROR "$msg"
       log_msg ERROR "Rolling Back....."
       exec_omb OMBROLLBACK
       log_msg ERROR "Exiting....."
       # return and also bail from calling function
       return -code 2
    proc exec_omb { args } {
       # Uncomment if you want all source commands spooled out to log
       # disabled in production to avoid logging passwords.
       # log_msg_file_only OMBCMD "$args"
       # the point of this is simply to return errorMsg or return string, whichever is applicable,
       # to simplify error checking using omb_error{}
       if [catch { set retstr [eval $args] } errmsg] {
          log_msg OMB_ERROR "$errmsg"
          log_msg "" ""
          return $errmsg
       } else {
          log_msg OMB_SUCCESS "$retstr"
          log_msg "" ""
          return $retstr
    proc omb_error { retstr } {
       # OMB and Oracle errors may have caused a failure.
       if [string match OMB0* $retstr] {
          return 1
       } elseif [string match ORA-* $retstr] {
          return 1
       } elseif [string match java.* $retstr] {
          return 1
       } elseif [string match Error* $retstr] {
          return 1
       } else {
          return 0
    proc ers_omb_connect { OWB_USER OWB_PASS OWB_HOST OWB_PORT OWB_SRVC OWB_REPOS } {
       # Commit anything from previous work, otherwise OMBDISCONNECT will fail out.
       catch { set retstr [ OMBSAVE ] } errmsg
       log_msg LOG "Checking current connection status...."
       #Ensure that we are not already connected.
       if [catch { set discstr [ OMBDISCONNECT ] } errmsg ] {
          set discstr $errmsg
       # Test if message is "OMB01001: Not connected to repository." or "Disconnected."
       # any other message is a showstopper!
       if [string match Disconn* $discstr ]  {
          log_msg LOG "Success Disconnecting from previous repository...."
       } else {
          # We expect an OMB01001 error for trying to disconnect when not connected
          if [string match OMB01001* $discstr ] {
              log_msg LOG "Disconnect unneccessary. Not currently connected...."
          } else {
              log_msg ERROR "Error Disconnecting from previous repository....Exiting process."
              exit_failure "$discstr"
       set print [exec_omb OMBCONNECT $OWB_USER/$OWB_PASS@$OWB_HOST:$OWB_PORT:$OWB_SRVC USE REPOSITORY '$OWB_REPOS']
       if [string match *Connected* $print] {
          return $print
       } else {
          return "OMB0-Unknown Error connecting. Validate connection settings and try again"
    }and I handle setting up the log file with a standard header at the top of each script, as illustrated here in a script I use to set up and register a location and control centers for when we build a new dev environment. Most of the referenced variables are held in a config script that we use to define our current working environment, which I am not attaching as the names are pretty descriptive I think.
    # PVCS Version Information
    #/* $Workfile:   setup_dev_location.tcl  $ $Revision:   2.1  $ */
    #/* $Author:   michael.broughton  $
    #/* $Date:   27 Nov 2008 10:00:00  $ */
    #  Get Current Directory and time
    # supporting config and library files must be in the same directory as this script
    set dtstmp     [ clock format [clock seconds] -format {%Y%m%d_%H%M}]
    set scrpt      [ file split [file root [info script]]]
    set scriptDir  [ file dirname [info script]]
    set scriptName [ lindex $scrpt [expr [llength $scrpt]-1]]
    set cnfg_lib "$scriptDir/ombplus_config.tcl"
    set owb_lib  "$scriptDir/omb_library.tcl"
    set sql_lib  "$scriptDir/omb_sql_library.tcl"
    #  Import Lbraries
    #get config file
    source $cnfg_lib
    #get standard library
    source $owb_lib
    #get SQL library
    source $sql_lib
    #  Set Logfile
    #    This will overwrite anything set in the config file.
    set LOG_PATH "$scriptDir/logs"
    file mkdir $LOG_PATH
    set    SPOOLFILE  ""
    append SPOOLFILE $LOG_PATH "/log_"  $scriptName "_" $dtstmp ".txt"
    #  Connect to repos
    set print [ers_omb_connect $OWB_DEG_USER $OWB_DEG_PASS $OWB_DEG_HOST $OWB_DEG_PORT $OWB_DEG_SRVC $OWB_DEG_REPOS]
    if [omb_error $print] {
        log_msg ERROR "Unable to connect to repository."
        log_msg ERROR "$print"
        log_msg ERROR "Exiting Script.............."
        return
    } else {
        log_msg LOG "Connected to Repository"   
    # Connect to project
    set print [exec_omb OMBCC '$PROJECT_NAME']
    if [omb_error $print] {
       exit_Failure "Project $PROJECT_NAME does not exist. Exiting...."
    } else {
       log_msg LOG "Switched context to project $PROJECT_NAME"
    # Check Existance of Oracle Module
    set print [exec_omb OMBCC '$ORA_MODULE_NAME']
    if [omb_error $print] {
       exit_Failure "Module $ORA_MODULE_NAME does not exist. Creating...."
    } else {
       log_msg LOG "Confirmed existance of module $ORA_MODULE_NAME"
    #switch back up to project level. You cannot attach locations to a module if you are in it.
    exec_omb OMBCC '..'
    log_msg LOG "Switched context back up to project $PROJECT_NAME"
    # Force Re-registration of OWB User
    log_msg LOG "(Re-)Registering user $DATA_LOCATION_USER"
    log_msg LOG "Disconnecting from Corporate Design Repository"
    exec_omb OMBCOMMIT
    exec_omb OMBDISCONNECT
    log_msg LOG "Connecting to Runtime Repository"
    set print [ers_omb_connect $CONTROL_CENTER_SCHEMA $CONTROL_CENTER_PASS $DATA_LOCATION_HOST $DATA_LOCATION_PORT $DATA_LOCATION_SRVC $CONTROL_CENTER_SCHEMA]
    set print [ exec_omb OMBUNREGISTER USER '$DATA_LOCATION_USER' IDENTIFIED BY '$DATA_LOCATION_PASS' ]
    set print [ exec_omb OMBREGISTER USER '$DATA_LOCATION_USER' SET PROPERTIES (DESCRIPTION, ISTARGETSCHEMA, TARGETSCHEMAPWD) VALUES ('$DATA_LOCATION_USER', 'true', '$DATA_LOCATION_PASS')]
    if [omb_error $print] {
       exit_failure "Unable to register user '$DATA_LOCATION_USER'"
    log_msg LOG "Disconnecting from Runtime Repository"
    exec_omb OMBCOMMIT
    exec_omb OMBDISCONNECT
    log_msg LOG "Re-Connecting to Corporate Design Repository"
    set print [ers_omb_connect $OWB_DEG_USER $OWB_DEG_PASS $OWB_DEG_HOST $OWB_DEG_PORT $OWB_DEG_SRVC $OWB_DEG_REPOS]
    log_msg LOG "Changing context back to project $PROJECT_NAME"
    set print [exec_omb OMBCC '$PROJECT_NAME']
    # Validate to Control Center
    set lst [OMBLIST CONTROL_CENTERS]
    if [string match *$CONTROL_CENTER_NAME* $lst] {
       log_msg LOG "Verified Control Center $CONTROL_CENTER_NAME Exists."
       set lst [OMBLIST LOCATIONS]
       if [string match *$DATA_LOCATION_NAME* $lst] {
           log_msg LOG "Verified Location $DATA_LOCATION_NAME Exists."
           log_msg LOG "Setting Control Center as default control center for project"
           exec_omb OMBCC 'DEFAULT_CONFIGURATION'
           set print [exec_omb OMBALTER DEPLOYMENT 'DEFAULT_DEPLOYMENT' SET REF CONTROL_CENTER '$CONTROL_CENTER_NAME' ]
           if [omb_error $print] {
              exit_failure "Unable to set Control Center $CONTROL_CENTER_NAME in default configuration"
           exec_omb OMBCOMMIT
           exec_omb OMBCC '..'
           log_msg LOG "Setting Passwords to enable import and deploy"
           set print [exec_omb OMBALTER LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (PASSWORD) VALUES ('$DATA_LOCATION_PASS')]
           if [omb_error $print] {
              exit_failure "Unable to log onto location '$DATA_LOCATION_NAME' with password $DATA_LOCATION_PASS"
           exec_omb OMBCOMMIT
           log_msg LOG "Connecting to Control Center $CONTROL_CENTER_NAME"
           set print [exec_omb OMBCONNECT CONTROL_CENTER USE '$DATA_LOCATION_PASS' ]
           if [omb_error $print] {
              exit_failure "Unable to connect to Control Center $CONTROL_CENTER_NAME"
           exec_omb OMBCOMMIT
           log_msg LOG "Connected.............."
       } else {
           log_msg LOG "Control Center Exists, but Location Does Not."
           log_msg LOG "Creating Code Location."
           log_msg LOG "Checking Global_names...."
           set dbGlobalNames FALSE
           set oraConn [oracleConnect $OWB_DEG_HOST $OWB_DEG_SRVC $OWB_DEG_PORT $OWB_DEG_USER $OWB_DEG_PASS ]
           set oraRs [oracleQuery $oraConn "select value pvalue FROM V\$PARAMETER where name = 'global_names'"]
           while {[$oraRs next]} {
               set dbGlobalNames [$oraRs getString pvalue]
           $oraRs close
           $oraConn close
           log_msg LOG "Global_names are $dbGlobalNames...."
           if [string match TRUE $dbGlobalNames] {
               set print [exec_omb OMBCREATE LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (TYPE, VERSION, DESCRIPTION, BUSINESS_NAME, HOST, PORT, SERVICE, CONNECT_AS_USER, PASSWORD, DATABASE_NAME) VALUES ('ORACLE_DATABASE','$DATA_LOCATION_VERS','ERS Datamart Code User','$DATA_LOCATION_NAME', '$DATA_LOCATION_HOST','$DATA_LOCATION_PORT','$DATA_LOCATION_SRVC', '$DATA_LOCATION_USER','$DATA_LOCATION_PASS','$DATA_LOCATION_SRVC' ) ] 
           } else {
               set print [exec_omb OMBCREATE LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (TYPE, VERSION, DESCRIPTION, BUSINESS_NAME, HOST, PORT, SERVICE, CONNECT_AS_USER, PASSWORD) VALUES ('ORACLE_DATABASE','$DATA_LOCATION_VERS','ERS Datamart Code User','$DATA_LOCATION_NAME', '$DATA_LOCATION_HOST','$DATA_LOCATION_PORT','$DATA_LOCATION_SRVC', '$DATA_LOCATION_USER','$DATA_LOCATION_PASS') ] 
           if [omb_error $print] {
              exit_failure "Unable to create location '$DATA_LOCATION_NAME'"
           exec_omb OMBSAVE
           log_msg LOG "Adding Location $DATA_LOCATION_NAME to Control Center $CONTROL_CENTER_NAME"
           set print [exec_omb OMBALTER CONTROL_CENTER '$CONTROL_CENTER_NAME' ADD REF LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (IS_TARGET, IS_SOURCE) VALUES ('true', 'true') ]
           if [omb_error $print] {
               exit_failure "Unable to add Location $DATA_LOCATION_NAME to Control Center $CONTROL_CENTER_NAME"
           exec_omb OMBCOMMIT
           log_msg LOG "Setting Control Center as default control center for project"
           exec_omb OMBCC 'DEFAULT_CONFIGURATION'
           set print [exec_omb OMBALTER DEPLOYMENT 'DEFAULT_DEPLOYMENT' SET REF CONTROL_CENTER '$CONTROL_CENTER_NAME' ]
           if [omb_error $print] {
              exit_failure "Unable to set Control Center $CONTROL_CENTER_NAME in default configuration"
           exec_omb OMBCOMMIT
           exec_omb OMBCC '..'
           log_msg LOG "Connecting to Control Center $CONTROL_CENTER_NAME"
           set print [exec_omb OMBCONNECT CONTROL_CENTER USE '$DATA_LOCATION_PASS' ]
           if [omb_error $print] {
              exit_failure "Unable to connect to Control Center $CONTROL_CENTER_NAME"
           exec_omb OMBCOMMIT
           log_msg LOG "Registering Code Location."
           set print [exec_omb OMBALTER LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (PASSWORD) VALUES ('$DATA_LOCATION_PASS')]
           exec_omb OMBCOMMIT
           set print [exec_omb OMBREGISTER LOCATION '$DATA_LOCATION_NAME']
           if [omb_error $print] {
              exit_failure "Unable to register Location $DATA_LOCATION_NAME"
           exec_omb OMBCOMMIT
    } else {
       log_msg LOG "Need to create Control Center $CONTROL_CENTER_NAME."
       log_msg LOG "Creating Code Location."
       log_msg LOG "Checking Global_names...."
       set dbGlobalNames FALSE
       set oraConn [oracleConnect $DATA_LOCATION_HOST $DATA_LOCATION_SRVC $DATA_LOCATION_PORT $CONTROL_CENTER_SCHEMA $CONTROL_CENTER_PASS ]
       set oraRs [oracleQuery $oraConn "select value pvalue FROM V\$PARAMETER where name = 'global_names'"]
       while {[$oraRs next]} {
         set dbGlobalNames [$oraRs getString pvalue]
       $oraRs close
       $oraConn close
       log_msg LOG "Global_names are $dbGlobalNames...."
       if [string match TRUE $dbGlobalNames] {
           set print [exec_omb OMBCREATE LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (TYPE, VERSION, DESCRIPTION, BUSINESS_NAME, HOST, PORT, SERVICE, CONNECT_AS_USER, PASSWORD, DATABASE_NAME) VALUES ('ORACLE_DATABASE','$DATA_LOCATION_VERS','ERS Datamart Code User','$DATA_LOCATION_NAME', '$DATA_LOCATION_HOST','$DATA_LOCATION_PORT','$DATA_LOCATION_SRVC', '$DATA_LOCATION_USER','$DATA_LOCATION_PASS','$DATA_LOCATION_SRVC' ) ] 
       } else {
           set print [exec_omb OMBCREATE LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (TYPE, VERSION, DESCRIPTION, BUSINESS_NAME, HOST, PORT, SERVICE, CONNECT_AS_USER, PASSWORD) VALUES ('ORACLE_DATABASE','$DATA_LOCATION_VERS','ERS Datamart Code User','$DATA_LOCATION_NAME', '$DATA_LOCATION_HOST','$DATA_LOCATION_PORT','$DATA_LOCATION_SRVC', '$DATA_LOCATION_USER','$DATA_LOCATION_PASS') ] 
       if [omb_error $print] {
          exit_failure "Unable to create location '$DATA_LOCATION_NAME'"
       exec_omb OMBCOMMIT
       log_msg LOG "Creating Control Center"
       set print [exec_omb OMBCREATE CONTROL_CENTER '$CONTROL_CENTER_NAME' SET PROPERTIES (DESCRIPTION, BUSINESS_NAME, HOST, PORT, SERVICE_NAME, USER, SCHEMA, PASSWORD) VALUES ('ERS Datamart Control Center','$CONTROL_CENTER_NAME', '$DATA_LOCATION_HOST','$DATA_LOCATION_PORT','$DATA_LOCATION_SRVC', '$DATA_LOCATION_USER', '$CONTROL_CENTER_SCHEMA','$DATA_LOCATION_PASS') ]
       if [omb_error $print] {
          exit_failure "Unable to create control center '$CONTROL_CENTER_NAME'"
       exec_omb OMBCOMMIT
       log_msg LOG "Adding Location $DATA_LOCATION_NAME to Control Center $CONTROL_CENTER_NAME"
       set print [exec_omb OMBALTER CONTROL_CENTER '$CONTROL_CENTER_NAME' ADD REF LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (IS_TARGET, IS_SOURCE) VALUES ('true', 'true') ]
       if [omb_error $print] {
          exit_failure "Unable to add Location $DATA_LOCATION_NAME to Control Center $CONTROL_CENTER_NAME"
       exec_omb OMBCOMMIT
       log_msg LOG "Setting Control Center as default control center for project"
       exec_omb OMBCC 'DEFAULT_CONFIGURATION'
       set print [exec_omb OMBALTER DEPLOYMENT 'DEFAULT_DEPLOYMENT' SET REF CONTROL_CENTER '$CONTROL_CENTER_NAME' ]
       if [omb_error $print] {
          exit_failure "Unable to set Control Center $CONTROL_CENTER_NAME in default configuration"
       exec_omb OMBCOMMIT
       exec_omb OMBCC '..'
       log_msg LOG "Connecting to Control Center $CONTROL_CENTER_NAME"
       set print [exec_omb OMBCONNECT CONTROL_CENTER USE '$DATA_LOCATION_PASS' ]
       if [omb_error $print] {
          exit_failure "Unable to add Location $DATA_LOCATION_NAME to Control Center $CONTROL_CENTER_NAME"
       exec_omb OMBCOMMIT
       log_msg LOG "Registering Code Location."
       set print [exec_omb OMBALTER LOCATION '$DATA_LOCATION_NAME' SET PROPERTIES (PASSWORD) VALUES ('$DATA_LOCATION_PASS')]
       exec_omb OMBCOMMIT
       set print [exec_omb OMBREGISTER LOCATION '$DATA_LOCATION_NAME']
       if [omb_error $print] {
          exit_failure "Unable to register Location $DATA_LOCATION_NAME"
       exec_omb OMBCOMMIT
    # Assign location to Oracle Module
    log_msg LOG "Assigning Code Location to Oracle Module."
    set print [ exec_omb OMBALTER ORACLE_MODULE '$ORA_MODULE_NAME' ADD REFERENCE LOCATION '$DATA_LOCATION_NAME' SET AS DEFAULT ]
    if [omb_error $print] {
       exit_failure "Unable to add reference location '$DATA_LOCATION_NAME' to module '$ORA_MODULE_NAME' "
    set print [ exec_omb OMBALTER ORACLE_MODULE '$ORA_MODULE_NAME' SET REFERENCE METADATA_LOCATION '$DATA_LOCATION_NAME' ]
    if [omb_error $print] {
       exit_failure "Unable to set metadata location '$DATA_LOCATION_NAME' on module '$ORA_MODULE_NAME' "
    set print [ exec_omb OMBALTER ORACLE_MODULE '$ORA_MODULE_NAME' SET PROPERTIES (DB_LOCATION) VALUES ('$DATA_LOCATION_NAME') ]
    if [omb_error $print] {
       lexit_failure "Unable to add db_location '$DATA_LOCATION_NAME' to module '$ORA_MODULE_NAME' "
    exec_omb OMBCOMMIT
    exec_omb OMBDISCONNECT

  • Total lock-ups with fan running - translate system.log file please!?

    Hi, all. My late 2005 2.3 gig dual G5 has been experiencing random lock ups for as long as I can remember. My system is up to date and I have tested each pair of the 5 gigs of ram that I have and the system freezes with each pair. It can happen at any time, when I am doing absolutely nothing, for example, overnight. I am at my wits end!
    Here's the system log file for the latest freezes. Can anyone tell me what's going on here??? I really need to get to the root of this problem. Thanks so so much in advance.
    Apr 12 17:32:52 Marc-Weinbergs-Computer kernel[0]: AFP_VFS afpfs_Reconnect: connect on /Volumes/Macintosh HD failed 89.
    Apr 12 17:32:52 Marc-Weinbergs-Computer kernel[0]: AFP_VFS afpfs_unmount: /Volumes/Macintosh HD, flags 524288, pid 62
    Apr 12 17:44:46 Marc-Weinbergs-Computer /Library/Application Support/FLEXnet Publisher/Service/11.03.005/FNPLicensingService: Started\n
    Apr 12 17:44:46 Marc-Weinbergs-Computer /Library/Application Support/FLEXnet Publisher/Service/11.03.005/FNPLicensingService: This service performs licensing functions on behalf of FLEXnet enabled products.\n
    Apr 12 18:01:06 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 12 18:01:49 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 12 18:08:29 Marc-Weinbergs-Computer diskarbitrationd[69]: SDCopy [1056]:36091 not responding.
    Apr 12 18:16:18 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 12 18:16:53 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 12 19:24:12 Marc-Weinbergs-Computer ntpd[191]: time reset -0.650307 s
    Apr 13 01:05:45 Marc-Weinbergs-Computer ntpd[191]: time reset -0.496917 s
    Apr 13 03:15:03 Marc-Weinbergs-Computer cp: error processing extended attributes: Operation not permitted
    Apr 13 07:15:03 Marc-Weinbergs-Computer postfix/postqueue[1778]: warning: Mail system is down -- accessing queue directly
    Apr 13 03:15:03 Marc-Weinbergs-Computer cp: error processing extended attributes: Operation not permitted
    Apr 13 15:53:53 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 13 15:53:54 Marc-Weinbergs-Computer KernelEventAgent[62]: tid 00000000 received unknown event (256)
    Apr 13 22:15:48 localhost kernel[0]: standard timeslicing quantum is 10000 us
    Apr 13 22:15:47 localhost mDNSResponder-108.6 (Jul 19 2007 11: 33:32)[63]: starting
    Apr 13 22:15:48 localhost kernel[0]: vmpagebootstrap: 506550 free pages
    Apr 13 22:15:47 localhost memberd[70]: memberd starting up
    Apr 13 22:15:49 localhost kernel[0]: migtable_maxdispl = 70
    Apr 13 22:15:49 localhost kernel[0]: Added extension "com.firmtek.driver.FTATASil3132E" from archive.
    Apr 13 22:15:49 localhost kernel[0]: Added extension "com.firmtek.driver.Sil3112DeviceNub" from archive.
    Apr 13 22:15:49 localhost kernel[0]: Copyright (c) 1982, 1986, 1989, 1991, 1993
    Apr 13 22:15:49 localhost kernel[0]: The Regents of the University of California. All rights reserved.
    Apr 13 22:15:49 localhost kernel[0]: using 5242 buffer headers and 4096 cluster IO buffer headers
    Apr 13 22:15:49 localhost kernel[0]: AppleKauaiATA shasta-ata features enabled
    Apr 13 22:15:49 localhost kernel[0]: DART enabled
    Apr 13 22:15:47 localhost DirectoryService[75]: Launched version 2.1 (v353.6)
    Apr 13 22:15:49 localhost kernel[0]: FireWire (OHCI) Apple ID 52 built-in now active, GUID 001451ff fe1b4c7e; max speed s800.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:48 localhost lookupd[71]: lookupd (version 369.5) starting - Sun Apr 13 22:15:48 2008
    Apr 13 22:15:49 localhost kernel[0]: USBF: 20.590 OHCI driver: OHCIRootHubPortPower bit not sticking (1). Retrying.
    Apr 13 22:15:49 localhost kernel[0]: Extension "com.microsoft.driver.MicrosoftKeyboardUSB" has no kernel dependency.
    Apr 13 22:15:49 localhost kernel[0]: AppleSMUparent::clientNotifyData nobody registed for 0x40
    Apr 13 22:15:49 localhost kernel[0]: Security auditing service present
    Apr 13 22:15:49 localhost kernel[0]: BSM auditing present
    Apr 13 22:15:49 localhost kernel[0]: disabled
    Apr 13 22:15:49 localhost kernel[0]: rooting via boot-uuid from /chosen: 82827EDF-0263-3B93-BEED-4B114E820B85
    Apr 13 22:15:49 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>
    Apr 13 22:15:49 localhost kernel[0]: Got boot device = IOService:/MacRISC4PE/ht@0,f2000000/AppleMacRiscHT/pci@9/IOPCI2PCIBridge/k2-sat a-root@C/AppleK2SATARoot/k2-sata@0/AppleK2SATA/ATADeviceNub@0/IOATABlockStorageD river/IOATABlockStorageDevice/IOBlockStorageDriver/ST3320620AS Media/IOApplePartitionScheme/AppleHFS_Untitled1@10
    Apr 13 22:15:49 localhost kernel[0]: BSD root: disk0s10, major 14, minor 12
    Apr 13 22:15:49 localhost kernel[0]: jnl: replay_journal: from: 8451584 to: 11420160 (joffset 0x952000)
    Apr 13 22:15:50 localhost kernel[0]: AppleSMU -- shutdown cause = 3
    Apr 13 22:15:50 localhost kernel[0]: AppleSMU::PMU vers = 0x000d00a0, SPU vers = 0x67, SDB vers = 0x01,
    Apr 13 22:15:50 localhost kernel[0]: HFS: Removed 8 orphaned unlinked files
    Apr 13 22:15:50 localhost kernel[0]: Jettisoning kernel linker.
    Apr 13 22:15:50 localhost kernel[0]: Resetting IOCatalogue.
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 1
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 1
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 1
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 1
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 1
    Apr 13 22:15:50 localhost kernel[0]: Matching service count = 3
    Apr 13 22:15:50 localhost kernel[0]: NVDANV40HAL loaded and registered.
    Apr 13 22:15:50 localhost kernel[0]: PowerMac112ThermalProfile::start 1
    Apr 13 22:15:50 localhost kernel[0]: PowerMac112ThermalProfile::end 1
    Apr 13 22:15:50 localhost kernel[0]: SMUNeo2PlatformPlugin::initThermalProfile - entry
    Apr 13 22:15:50 localhost kernel[0]: SMUNeo2PlatformPlugin::initThermalProfile - calling adjust
    Apr 13 22:15:50 localhost kernel[0]: PowerMac112ThermalProfile::adjustThermalProfile start
    Apr 13 22:15:50 localhost kernel[0]: IPv6 packet filtering initialized, default to accept, logging disabled
    Apr 13 22:15:50 localhost kernel[0]: BCM5701Enet: Ethernet address 00:14:51:61:ee:78
    Apr 13 22:15:50 localhost kernel[0]: BCM5701Enet: Ethernet address 00:14:51:61:ee:79
    Apr 13 22:15:51 localhost lookupd[86]: lookupd (version 369.5) starting - Sun Apr 13 22:15:51 2008
    Apr 13 22:15:51 localhost kernel[0]: jnl: replay_journal: from: 21611008 to: 7857152 (joffset 0x952000)
    Apr 13 22:15:51 localhost kernel[0]: jnl: replay_journal: from: 673280 to: 24382976 (joffset 0x952000)
    Apr 13 22:15:51 localhost kernel[0]: jnl: replay_journal: from: 3890176 to: 6294016 (joffset 0x7d01000)
    Apr 13 22:15:51 localhost diskarbitrationd[69]: disk0s10 hfs 82827EDF-0263-3B93-BEED-4B114E820B85 NewestSeagate /
    Apr 13 22:15:52 localhost kernel[0]: NVDA,Display-A: vram [90020000:10000000]
    Apr 13 22:15:52 localhost mDNSResponder: Adding browse domain local.
    Apr 13 22:15:53 localhost kernel[0]: hfs mount: enabling extended security on Maxtor
    Apr 13 22:15:53 localhost diskarbitrationd[69]: disk1s3 hfs 0DBE2113-B1F5-388F-BF70-2E366A095330 Maxtor /Volumes/Maxtor
    Apr 13 22:15:54 localhost kernel[0]: NVDA,Display-B: vram [94000000:08000000]
    Apr 13 22:15:54 Marc-Weinbergs-Computer configd[67]: setting hostname to "Marc-Weinbergs-Computer.local"
    Apr 13 22:15:54 Marc-Weinbergs-Computer /System/Library/CoreServices/loginwindow.app/Contents/MacOS/loginwindow: Login Window Application Started
    Apr 13 22:15:56 Marc-Weinbergs-Computer diskarbitrationd[69]: disk2s3 hfs 971CABB3-C211-38FC-8E91-6B4F8EA5FA20 B08-09-07 /Volumes/B08-09-07
    Apr 13 22:15:56 Marc-Weinbergs-Computer loginwindow[110]: Login Window Started Security Agent
    Apr 13 22:15:57 Marc-Weinbergs-Computer kernel[0]: AppleBCM5701Ethernet - en1 link active, 1000-Mbit, full duplex, symmetric flow control enabled
    Apr 13 22:15:57 Marc-Weinbergs-Computer configd[67]: AppleTalk startup
    Apr 13 22:15:57 Marc-Weinbergs-Computer TabletDriver[119]: #### GetFrontProcess failed to get front process (-600)
    Apr 13 22:15:59 Marc-Weinbergs-Computer configd[67]: posting notification com.apple.system.config.network_change
    Apr 13 22:16:00 Marc-Weinbergs-Computer configd[67]: posting notification com.apple.system.config.network_change
    Apr 13 22:16:00 Marc-Weinbergs-Computer configd[67]: executing /System/Library/SystemConfiguration/Kicker.bundle/Contents/Resources/enable-net work
    Apr 13 22:16:00 Marc-Weinbergs-Computer configd[67]: posting notification com.apple.system.config.network_change
    Apr 13 22:16:01 Marc-Weinbergs-Computer lookupd[123]: lookupd (version 369.5) starting - Sun Apr 13 22:16:01 2008
    Apr 13 22:16:01 Marc-Weinbergs-Computer kernel[0]: HFS: Removed 2 orphaned unlinked files
    Apr 13 22:16:01 Marc-Weinbergs-Computer diskarbitrationd[69]: disk3s3 hfs CDA8BCC5-0CE4-33E8-A910-4B0952DBC230 FullBU-09-07 /Volumes/FullBU-09-07
    Apr 13 22:16:04 Marc-Weinbergs-Computer configd[67]: target=enable-network: disabled
    Apr 13 22:16:05 Marc-Weinbergs-Computer configd[67]: AppleTalk startup complete
    Apr 13 22:16:09 Marc-Weinbergs-Computer TabletDriver[237]: #### GetFrontProcess failed to get front process (-600)
    Apr 13 22:16:09 Marc-Weinbergs-Computer launchd[241]: com.wacom.wacomtablet: exited with exit code: 253
    Apr 13 22:16:09 Marc-Weinbergs-Computer launchd[241]: com.wacom.wacomtablet: 9 more failures without living at least 60 seconds will cause job removal
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:28 EDT 2008] : ATA device 'ST3320620AS', serial number '6QF0L6LR', reports it is functioning at a temperature of 95.0F (35C) degrees.
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:28 EDT 2008] : Spare blocks for ATA device 'ST3320620AS', serial number '6QF0L6LR', appear to still be available. (Total Available: 36) (Use Attempts: 0)
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : ATA device 'ST3320620AS', serial number '6QF0LGS4', reports it is functioning at a temperature of 100.4F (38C) degrees.
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : Spare blocks for ATA device 'ST3320620AS', serial number '6QF0LGS4', appear to still be available. (Total Available: 36) (Use Attempts: 0)
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : ATA device 'ST3320620AS', serial number '9RV000FC', reports it is functioning at a temperature of 95.0F (35C) degrees.
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : Spare blocks for ATA device 'ST3320620AS', serial number '9RV000FC', appear to still be available. (Total Available: 36) (Use Attempts: 0)
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : ATA device 'Maxtor 6B300S0', serial number 'B6211G0H', reports it is functioning at a temperature of 89.6F (32C) degrees.
    Apr 13 22:16:29 Marc-Weinbergs-Computer /Applications/DiskWarrior.app/Contents/MacOS/DiskWarriorDaemon: [Sun Apr 13 22:16:29 EDT 2008] : Spare blocks for ATA device 'Maxtor 6B300S0', serial number 'B6211G0H', appear to still be available. (Total Available: 63) (Use Attempts: 0)
    Apr 13 22:16:54 Marc-Weinbergs-Computer /System/Library/CoreServices/Finder.app/Contents/MacOS/Finder: _TIFFVSetField: tiff data provider: Invalid tag "Copyright" (not supported by codec).\n
    Apr 13 22:16:54 Marc-Weinbergs-Computer /System/Library/CoreServices/Finder.app/Contents/MacOS/Finder: _TIFFVSetField: tiff data provider: Invalid tag "Copyright" (not supported by codec).\n
    etc.

    Hi-
    The machine seems to be having trouble with loading certain drivers, but, as this isn't a crash log, and doesn't show the "hang-up" or freeze, it's hard to tell.
    Noted possibilities are:
    -Microsoft keyboard (possible USB power problem)
    -firmtek driver (from archive) questionable due to the "archive" annotation
    -Wacom tablet driver, causing system problems
    Running in Safe mode without freezes would help to determine if one of these drivers is the problem.
    Other possibilities are outdated drivers, or simply a need to reinstall the OS.
    If unnecessary, removing the driver(s) would be a good idea.
    External USB and Firewire devices are all suspect, should all be disconnected, revert to Apple keyboard, and test system performance. Adding one device at a time, and testing each will be necessary to clear each device.
    I have experienced system trouble when a Wacom tablet was not connected, but the driver was left installed.
    Disabling the driver from Startup items may be necessary to test without the Wacom tablet connected.

  • Error in log file (WWC-41439)

    Hi,
    When i installed Oracle Portal, i had the error WWc-41439 when i tried log in Oracle Portal. I revised the log file and i saw the following error.(I have isntalled Oracle Portal 3.0., Oracle Database 8.1.7 on windows NT).
    STEP 24 : Installing SSO packages to public
    INSTALL_ACTION : installSSOLayer()..\..\bin\sqlplus portal30_sso/portal30_sso@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoinsg.sql
    STEP 25 : Associating Login Server & Oracle Portal
    INSTALL_ACTION :assocNewLoginServer: Portal Url Prefix: http://pablo/pls/portal30/
    INSTALL_ACTION :assocNewLoginServer: SSO URL Prefix: http://pablo/pls/portal30_sso/
    INSTALL_ACTION : assocNewLoginServer: ..\..\bin\sqlplus portal30_sso/portal30_sso@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoseedl.sql portal30 http://pablo/pls/portal30/ portal30_sso http://pablo/pls/portal30_sso/ NO
    INSTALL_ACTION : assocNewLoginServer: ..\..\bin\sqlplus portal30_sso/portal30_sso@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoinsgp.sql portal30
    INSTALL_ACTION : assocNewLoginServer:..\..\bin\sqlplus portal30/portal30@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoseedw.sql portal30 portal30_sso http://pablo/pls/portal30_sso/ http://pablo/pls/portal30/
    INSTALL_ACTION : STEP 19 : assocNewLoginServer:..\..\bin\sqlplus portal30/portal30@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\wwc\secpsr.sql
    INSTALL_ACTION : STEP 19 : assocNewLoginServer:..\..\bin\sqlplus portal30/portal30@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\wwc\secps.sql portal30_sso_PS N N N N
    INSTALL_ACTION : assocNewLoginServer:..\..\bin\sqlplus portal30_sso/portal30_sso@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoinsrp.sql portal30
    INSTALL_ACTION : assocNewLoginServer:..\..\bin\sqlplus portal30_sso/portal30_sso@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\sso\ssoseedu.sql portal30
    Installing and running diagnostics
    INSTALL_ACTION:installDiagnostics() : ..\..\bin\loadjava -resolve -verbose -thin -user portal30/portal30@localhost:1521:or8i ..\..\portal30\admin\plsql\wwc\Diagnose.class
    C:\ORACLE\iSuites\assistants\opca>REM
    C:\ORACLE\iSuites\assistants\opca>REM $Header: runljava.bat@@/main/3 \
    C:\ORACLE\iSuites\assistants\opca>REM Checked in on Fri Nov 17 15:32:36 PST 2000 by meoropez \
    C:\ORACLE\iSuites\assistants\opca>REM Copyright (c) 2000 by Oracle Corporation. All Rights Reserved. \
    C:\ORACLE\iSuites\assistants\opca>REM $
    C:\ORACLE\iSuites\assistants\opca>REM
    C:\ORACLE\iSuites\assistants\opca>Rem For running the Loadjava from the Configuration Assistant.
    C:\ORACLE\iSuites\assistants\opca>..\..\bin\loadjava -resolve -verbose -thin -user portal30/portal30@localhost:1521:or8i ..\..\portal30\admin\plsql\wwc\Diagnose.class
    INSTALL_ACTION : Running Diagnostics ..\..\bin\sqlplus portal30/portal30@(DESCRIPTION=(ADDRESS_LIST=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1521)))(CONNECT_DATA=(SID=or8i))) @..\..\portal30\admin\plsql\wwc\secdiag.sql
    SQL*Plus: Release 8.1.7.0.0 - Production on Dom Abr 20 20:23:37 2003
    (c) Copyright 2000 Oracle Corporation. All rights reserved.
    Conectado a:
    Oracle8i Enterprise Edition Release 8.1.7.0.0 - Production
    With the Partitioning option
    JServer Release 8.1.7.0.0 - Production
    Creating Table 'wwsec_diagnostic$'
    Creating Sequence 'wwsec_diagnostic_seq'
    Diagnostics Report v 1.01: Oracle Portal v 3.0.9.8.0
    As of 20-Abr-2003 20:23:41 Schema Name: PORTAL30 SSO Schema Name: portal30_sso
    Proxy Server Settings:
    HTTP Server:
    HTTP Server Port:
    No Proxy Servers for Domains beginning with:
    URL Connection Time-Out (seconds):
    PORTAL30.wwsec_enabler_config_info$
    Login Server URL : http://pablo/pls/portal30_sso/portal30_sso.wwsso_app_admin.ls_login
    DAD          : portal30_sso
    Host connection : *** FAILED ***
    Unable to find the Schema Name for the Login Server
    Recommendations:
    Please check the DAD settings for the Login Server
    Desconectado de Oracle8i Enterprise Edition Release 8.1.7.0.0 - Production
    With the Partitioning option
    JServer Release 8.1.7.0.0 - Production
    INSTALL_ACTION : End of Installation.
    How i resolve the problem?
    Is there somebody in the same situacion?
    Thank you

    Did you promoted/demoted a server? ( like from consumer to master , master to consumer , hub to consumer/master OR disabled replication and re-enabled with another unique ID and recreated replication agreements again?
    IF YES, find out the current Unique ID in all the related server and delete the old serverIDs in the nsslapd-rererral.
    Also the error will tell you for which server it is trying to update the duplicate entry. Mostly , that entry will be the old value as I explained before.
    I have seen this before and mostly by doing above it gets corrected. I recommend that you should think before doing it.
    In any case dont forget to update us since this is a tricky situation to me.
    -Kunal

  • Help with Script created to check log files.

    Hi,
    I have a program we use in our organization on multiple workstations that connect to a MS SQL 2005 database on a Virtual Microsoft 2008 r2 Server. The program is quite old and programmed around the days when serial connections were the most efficient means
    of connection to a device. If for any reason the network, virtual server or the SAN which the virtual server runs off have roughly 25% utilization or higher on its resources the program on the workstations timeout from the SQL database and drop the program
    from the database completely rendering it useless. The program does not have the smarts to resync itself to the SQL database and it just sits there with "connection failed" until human interaction. A simple restart of the program reconnects itself
    to the SQL database without any issues. This is fine when staff are onsite but the program runs on systems out of hours when the site is unmanned.
    The utilization of the server environment is more than sufficient if not it has double the recommended resources needed for the program. I am in regular contact with the support for the program and it is a known issue for them which i believe they do not
    have any desire to fix in the near future. 
    I wish to create a simple script that checks the log files on each workstation or server the program runs on and emails me if a specific word comes up in that log file. The word will only show when a connection failure has occurred.
    After the email is sent i wish for the script to close the program and reopen it to resync the connection.
    I will schedule the script to run ever 15 minutes.
    I have posted this up in a previous post about a month ago but i went on holidays over xmas and the post died from my lack or response.
    Below is what i have so far as my script. I have only completed the monitoring of the log file and the email portion of it. I had some help from a guy on this forum to get the script to where it is now. I know basic to intermediate scripting so sorry for my
    crudity if any.
    The program is called "wasteman2G" and the log file is located in \\servername\WasteMan2G\Config\DCS\DCS_IN\alert.txt
    I would like to get the email side of this script working first and then move on to getting the restart of the program running after.
    At the moment i am not receiving an error from the script. It runs and doesn't complete what it should.
    Could someone please help?
    Const strMailto = "[email protected]"
    Const strMailFrom = "[email protected]"
    Const strSMTPServer = "mrc1tpv002.XXXX.local"
    Const FileToRead = "\\Mrctpv005\WasteMan2G\Config\DCS\DCS_IN\alert.txt"
    arrTextToScanFor = Array("SVR2006","SVR2008")
    Set WshShell = WScript.CreateObject("WScript.Shell")
    Set objFSO = WScript.CreateObject("Scripting.FileSystemObject")
    Set oFile = objFSO.GetFile(FileToRead)
    dLastCreateDate = CDate(WshShell.RegRead("HKLM\Software\RDScripts\CheckTXTFile\CreateDate"))
    If oFile.DateCreated = dLastCreateDate Then
    intStartAtLine = CInt(WshShell.RegRead("HKLM\Software\RDScripts\CheckTXTFile\LastLineChecked"))
    Else
    intStartAtLine = 0
    End If
    i = 0
    Set objTextFile = oFile.OpenAsTextStream()
    Do While Not objTextFile.AtEndOfStream
    If i < intStartAtLine Then
    objTextFile.SkipLine
    Else
    strNextLine = objTextFile.Readline()
    For each strItem in arrTextToScanFor
    If InStr(LCase(strNextLine),LCase(strItem)) Then
    strResults = strNextLine & vbcrlf & strResults
    End If
    Next
    End If
    i = i + 1
    Loop
    objTextFile.close
    WshShell.RegWrite "HKLM\Software\RDScripts\CheckTXTFile\FileChecked", FileToRead, "REG_SZ"
    WshShell.RegWrite "HKLM\Software\RDScripts\CheckTXTFile\CreateDate", oFile.DateCreated, "REG_SZ"
    WshShell.RegWrite "HKLM\Software\RDScripts\CheckTXTFile\LastLineChecked", i, "REG_DWORD"
    WshShell.RegWrite "HKLM\Software\RDScripts\CheckTXTFile\LastScanned", Now, "REG_SZ"
    If strResults <> "" Then
    SendCDOMail strMailFrom,strMailto,"VPN Logfile scan alert",strResults,"","",strSMTPServer
    End If
    Function SendCDOMail( strFrom, strSendTo, strSubject, strMessage , strUser, strPassword, strSMTP )
    With CreateObject("CDO.Message")
    .Configuration.Fields.Item("http://schemas.microsoft.com/cdo/configuration/sendusing") = 2
    .Configuration.Fields.Item("http://schemas.microsoft.com/cdo/configuration/smtpserver") = strSMTP
    .Configuration.Fields.item("http://schemas.microsoft.com/cdo/configuration/smtpauthenticate") = 1 'basic
    .Configuration.Fields.item("http://schemas.microsoft.com/cdo/configuration/sendusername") = strUser
    .Configuration.Fields.item("http://schemas.microsoft.com/cdo/configuration/sendpassword") = strPassword
    .Configuration.Fields.Update
    .From = strFrom
    .To = strSendTo
    .Subject = strSubject
    .TextBody = strMessage
    On Error Resume Next
    .Send
    If Err.Number <> 0 Then
    WScript.Echo "SendMail Failed:" & Err.Description
    End If
    End With
    End Function

    Thankyou for that link, it did help quite a bit. What i wanted was to move it to csript so i could run the wscript.echo in commandline. It all took to long and found a way to complete it via Batch. I do have a problem with my script though and you might
    be able to help.
    What i am doing is searching the log file. Finding the specific words then outputting them to an email. I havent used bmail before so thats probably my problem but then im using bmail to send me the results.
    Then im clearing the log file so the next day it is empty so that when i search it every 15 minutes its clean and only when an error occurs it will email me.
    Could you help me send the output via email using bmail or blat?
    @echo off
    echo Wasteman Logfile checker
    echo Created by: Reece Vellios
    echo Date: 08/01/2014
    findstr "SRV2006 & SRV2008" \\Mrctpv005\WasteMan2G\Config\DCS\DCS_IN\Alert.Txt > c:\log4mail.txt
    if %errorlevel%==0 C:\Documents and Settings\rvellios\Desktop\DCS Checker\bmail.exe -s mrc1tpv002.xxx.local -t [email protected] -f [email protected] -h -a "Process Dump" -m c:\log4mail.txt -c
    for %%G in (\\Mrctpv005\WasteMan2G\Config\DCS\DCS_IN\Alert.Txt) do (copy /Y nul "%%G")
    This the working script without bmail
    @echo off
    echo Wasteman Logfile checker
    echo Created by: Reece Vellios
    echo Date: 08/01/2014
    findstr "SRV2006 & SRV2008" \\Mrctpv005\WasteMan2G\Config\DCS\DCS_IN\Alert.Txt > C:\log4mail.txt
    if %errorlevel%==0 (echo Connection error)
    for %%G in (\\Mrctpv005\WasteMan2G\Config\DCS\DCS_IN\Alert.Txt) do (copy /Y nul "%%G")
    I need to make this happen:
    If error occurs at "%errorlevel%=0" then it will output the c:\log4mail.txt via smtp email using bmail.

  • Server shutdown with the following log file -?

    JAVA Memory arguments: -Xms256m -Xmx512m -XX:MaxPermSize=128m
    WLS Start Mode=Production
    CLASSPATH=:/home3/bea9/patch_weblogic922/profiles/default/sys_manifest_classpath/weblogic_patch.jar:/home3/bea9/jdk150_07/lib/tools.jar:/home3/bea9/weblogic92/server/lib/weblogic_sp.jar:/home3/bea9/weblogic92/server/lib/weblogic.jar:/home3/bea9/weblogic92/server/lib/webservices.jar::/home3/bea9/weblogic92/common/eval/pointbase/lib/pbclient51.jar:/home3/bea9/weblogic92/server/lib/xqrl.jar::
    PATH=/home3/bea9/weblogic92/server/bin:/home3/bea9/jdk150_07/jre/bin:/home3/bea9/jdk150_07/bin:/usr/bin:/usr/ccs/bin:/usr/contrib/bin:/opt/nettladm/bin:/opt/fc/bin:/opt/fcms/bin:/opt/upgrade/bin:/opt/pd/bin:/usr/bin/X11:/usr/contrib/bin/X11:/opt/hparray/bin:/opt/langtools/bin:/opt/imake/bin:/opt/perf/bin:/opt/ignite/bin:/opt/OV/bin/OpC:/opt/hpnp//bin:/opt/resmon/bin:/usr/sbin/diag/contrib:/opt/pred/bin:/opt/sec_mgmt/spc/bin:/opt/graphics/common/bin:/opt/OV/bin:/opt/ssh/bin:/opt/sec_mgmt/bastille/bin:.
    * To start WebLogic Server, use a username and *
    * password assigned to an admin-level user. For *
    * server administration, use the WebLogic Server *
    * console at http://hostname:port/console *
    starting weblogic with Java version:
    java version "1.5.0.07"
    Java(TM) 2 Runtime Environment, Standard Edition (build 1.5.0.07-_20_mar_2007_05_31)
    Java HotSpot(TM) Server VM (build 1.5.0.07 jinteg:03.20.07-04:39 PA2.0 (aCC_AP), mixed mode)
    Starting WLS with line:
    /home3/bea9/jdk150_07/bin/java -server -Xms256m -Xmx512m -XX:MaxPermSize=128m -da -Dplatform.home=/home3/bea9/weblogic92 -Dwls.home=/home3/bea9/weblogic92/server -Dwli.home=/home3/bea9/weblogic92/integration -Dweblogic.management.discover=true -Dwlw.iterativeDev=false -Dwlw.testConsole=false -Dwlw.logErrorsToConsole= -Dweblogic.ext.dirs=/home3/bea9/patch_weblogic922/profiles/default/sysext_manifest_classpath -Dweblogic.Name=Admin -Djava.security.policy=/home3/bea9/weblogic92/server/lib/weblogic.policy weblogic.Server
    <May 13, 2009 10:36:22 AM EDT> <Notice> <WebLogicServer> <BEA-000395> <Following extensions directory contents added to the end of the classpath:
    /home3/bea9/weblogic92/platform/lib/p13n/p13n-schemas.jar:/home3/bea9/weblogic92/platform/lib/p13n/p13n_common.jar:/home3/bea9/weblogic92/platform/lib/p13n/p13n_system.jar:/home3/bea9/weblogic92/platform/lib/wlp/netuix_common.jar:/home3/bea9/weblogic92/platform/lib/wlp/netuix_schemas.jar:/home3/bea9/weblogic92/platform/lib/wlp/netuix_system.jar:/home3/bea9/weblogic92/platform/lib/wlp/wsrp-common.jar>
    <May 13, 2009 10:36:24 AM EDT> <Info> <WebLogicServer> <BEA-000377> <Starting WebLogic Server with Java HotSpot(TM) Server VM Version 1.5.0.07 jinteg:03.20.07-04:39 PA2.0 (aCC_AP) from Hewlett-Packard Company>
    <May 13, 2009 10:36:29 AM EDT> <Info> <Management> <BEA-141107> <Version: WebLogic Server 9.2 MP2 Mon Jun 25 01:32:01 EDT 2007 952826 >
    <May 13, 2009 10:37:03 AM EDT> <Info> <WebLogicServer> <BEA-000215> <Loaded License : /home3/bea9/license.bea>
    <May 13, 2009 10:37:03 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to STARTING>
    <May 13, 2009 10:37:03 AM EDT> <Info> <WorkManager> <BEA-002900> <Initializing self-tuning thread pool>
    <May 13, 2009 10:37:04 AM EDT> <Notice> <Log Management> <BEA-170019> <The server log file /home3/bea9/user_projects/domains/Production/servers/Admin/logs/Admin.log is opened. All server side log events will be written to this file.>
    <May 13, 2009 10:37:08 AM EDT> <Alert> <Socket> <BEA-000414> <Could not initialize POSIX Performance Pack.>
    <May 13, 2009 10:37:08 AM EDT> <Warning> <Socket> <BEA-000444> <Could not load the performance pack that can take advantage of /dev/(e)poll device due to:
         weblogic.utils.NestedError: Could not initialize /dev/poll Performance Pack. Ensure that /dev/poll device exists and is initialized..
    Will attempt to use the performance pack that does not depend on /dev/(e)poll device.>
    <May 13, 2009 10:37:18 AM EDT> <Notice> <Security> <BEA-090082> <Security initializing using security realm myrealm.>
    <May 13, 2009 10:37:35 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to STANDBY>
    <May 13, 2009 10:37:35 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to STARTING>
    <May 13, 2009 10:37:52 AM EDT> <Notice> <Log Management> <BEA-170027> <The server initialized the domain log broadcaster successfully. Log messages will now be broadcasted to the domain log.>
    <May 13, 2009 10:37:53 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to ADMIN>
    <May 13, 2009 10:37:53 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to RESUMING>
    <May 13, 2009 10:37:54 AM EDT> <Warning> <Server> <BEA-002611> <Hostname "ncsci015", maps to multiple IP addresses: 10.45.8.61, 127.0.0.1>
    <May 13, 2009 10:37:54 AM EDT> <Notice> <Server> <BEA-002613> <Channel "Default[1]" is now listening on 127.0.0.1:9001 for protocols iiop, t3, ldap, http.>
    <May 13, 2009 10:37:54 AM EDT> <Warning> <Server> <BEA-002611> <Hostname "localhost", maps to multiple IP addresses: 10.45.8.61, 127.0.0.1>
    <May 13, 2009 10:37:54 AM EDT> <Notice> <Server> <BEA-002613> <Channel "Default" is now listening on 10.45.8.61:9001 for protocols iiop, t3, ldap, http.>
    <May 13, 2009 10:37:54 AM EDT> <Notice> <WebLogicServer> <BEA-000329> <Started WebLogic Admin Server "Admin" for domain "Production" running in Production Mode>
    <May 13, 2009 10:37:54 AM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to RUNNING>
    <May 13, 2009 10:37:54 AM EDT> <Notice> <WebLogicServer> <BEA-000360> <Server started in RUNNING mode>
    <May 13, 2009 10:39:55 AM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 13, 2009 10:43:47 AM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=ServerConfigGeneralTabPage&handle=com.bea.console.handles.JMXHandle%28%22com.bea%3AName%3DTCSE%2CType%3DServer%22%29.>
    <May 13, 2009 10:44:08 AM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=WebAppApplicationOverviewPage&WebAppApplicationOverviewPortlethandle=com.bea.console.handles.AppDeploymentHandle%28%22com.bea%3AName%3Dtcr%2CType%3DAppDeployment%22%29.>
    <May 13, 2009 10:44:12 AM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 13, 2009 10:44:12 AM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 13, 2009 10:44:12 AM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 13, 2009 10:44:12 AM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 13, 2009 10:44:12 AM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 13, 2009 12:34:44 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 13, 2009 12:43:36 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 13, 2009 1:12:29 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 14, 2009 12:27:16 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 14, 2009 12:27:29 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=ServerConfigGeneralTabPage&handle=com.bea.console.handles.JMXHandle%28%22com.bea%3AName%3DTCSE%2CType%3DServer%22%29.>
    <May 14, 2009 12:29:21 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 14, 2009 12:29:30 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=ServerConfigGeneralTabPage&handle=com.bea.console.handles.JMXHandle%28%22com.bea%3AName%3DTCSE%2CType%3DServer%22%29.>
    <May 14, 2009 12:29:44 PM EDT> <Error> <netuix> <BEA-423405> <An exception [Broken pipe (errno:32)] was thrown while rendering the content at [jsp/contentheader/ContentMenu.jsp].
    java.net.SocketException: Broken pipe (errno:32)
         at java.net.SocketOutputStream.socketWrite0(Native Method)
         at java.net.SocketOutputStream.socketWrite(SocketOutputStream.java:97)
         at java.net.SocketOutputStream.write(SocketOutputStream.java:141)
         at weblogic.servlet.internal.ChunkOutput.writeChunkTransfer(ChunkOutput.java:525)
         at weblogic.servlet.internal.ChunkOutput.writeChunks(ChunkOutput.java:504)
         Truncated. see log file for complete stacktrace
    >
    <May 14, 2009 1:47:36 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 14, 2009 1:47:48 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=ServerConfigGeneralTabPage&handle=com.bea.console.handles.JMXHandle%28%22com.bea%3AName%3DTCSE%2CType%3DServer%22%29.>
    <May 14, 2009 1:57:17 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 14, 2009 1:57:27 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=ServerConfigGeneralTabPage&handle=com.bea.console.handles.JMXHandle%28%22com.bea%3AName%3DTCSE%2CType%3DServer%22%29.>
    <May 15, 2009 9:15:48 AM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 15, 2009 12:07:05 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 15, 2009 12:07:14 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=WebAppApplicationOverviewPage&WebAppApplicationOverviewPortlethandle=com.bea.console.handles.AppDeploymentHandle%28%22com.bea%3AName%3Dtcr%2CType%3DAppDeployment%22%29.>
    <May 15, 2009 12:07:15 PM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 15, 2009 12:07:15 PM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 15, 2009 12:07:15 PM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 15, 2009 12:07:15 PM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 15, 2009 12:07:15 PM EDT> <Warning> <J2EE Deployment SPI> <BEA-260128> <Changes not allowed to DTD based descriptors. The attempt to modify property 'ServletName' in WEB-INF/weblogic.xml for module 'tcr.war' will be vetoed if possible. The change will not be persisted in either case.>
    <May 19, 2009 2:29:26 PM EDT> <Warning> <netuix> <BEA-423420> <Redirect is executed in begin or refresh action. Redirect url is /console/console.portal?_nfpb=true&_pageLabel=HomePage1.>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <WebLogicServer> <BEA-000388> <JVM called WLS shutdown hook. The server will force shutdown now>
    <May 31, 2009 10:27:32 PM EDT> <Alert> <WebLogicServer> <BEA-000396> <Server shutdown has been requested by <WLS Kernel>>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to FORCE_SUSPENDING>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to ADMIN>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <WebLogicServer> <BEA-000365> <Server state changed to FORCE_SHUTTING_DOWN>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <Server> <BEA-002607> <Channel "Default" listening on 10.45.8.61:9001 was shutdown.>
    <May 31, 2009 10:27:32 PM EDT> <Notice> <Server> <BEA-002607> <Channel "Default[1]" listening on 127.0.0.1:9001 was shutdown.>
    The server shutdown with the above output in the log file, can you please let me know why this happened and any solution for it?
    Thanks.

    Have you see that in your posted log:
    <May 13, 2009 10:37:08 AM EDT> <Alert> <Socket> <BEA-000414> <Could not initialize POSIX Performance Pack.>
    <May 13, 2009 10:37:08 AM EDT> <Warning> <Socket> <BEA-000444> <Could not load the performance pack that can take advantage of /dev/(e)poll device due to:
    weblogic.utils.NestedError: Could not initialize /dev/poll Performance Pack. Ensure that /dev/poll device exists and is initialized
    Will attempt to use the performance pack that does not depend on /dev/(e)poll device.>
    it seems to be a trouble with server performance pack. Try to DISABLE performance pack on your server and restart (unckeck "Native IO Enabled" on your domain"). You can also found some suggestions on http://edocs.bea.com/wls/docs92/messages/Socket.html (check for "BEA-000414" message).
    Regards
    Nat.

  • Log file is growing too big and too quick on ECC6 EHP4 system

    Hello there,
    i have ECC6EHP6 system based on NW 7.01 and MSSQL as back-end.
    My log file is growing very fast. i seen a number of threads but does not got some perfect idea what to do. Please see DEV_RFC0 and DEV_W0 log file excerpt below. Please help
    DEV_RFC0
    Trace file opened at 20100618 065308 Eastern Daylight Time, SAP-REL 701,0,14 RFC-VER U 3 1016574 MT-SL
    ======> CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679
    Transaction program not registered                                      
    ABAP Programm: SAPLSADC (Transaction: )
    User: DDIC (Client: 000)
    Destination: SAPDB_DBM_DAEMON (handle: 2, , )
    SERVER> RFC Server Session (handle: 1, 59356166, {ADC77ADF-C575-F1CC-B797-0019B9E204CC})
    SERVER> Caller host:
    SERVER> Caller transaction code:  (Caller Program: SAPLSADC)
    SERVER> Called function module: DBM_CONNECT_PUR
    Error RFCIO_ERROR_SYSERROR in abrfcpic.c : 1501
    CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679
    Transaction program not registered                                      
    DEST =SAPDB_DBM_DAEMON
    HOST =%%RFCSERVER%%
    PROG =dbmrfc@sapdb
    Trace file opened at 20100618 065634 Eastern Daylight Time, SAP-REL 701,0,14 RFC-VER U 3 1016574 MT-SL
    ======> CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679
    Transaction program not registered                                      
    ABAP Programm: SAPLSADC (Transaction: )
    User: DDIC (Client: 000)
    Destination: SAPDB_DBM_DAEMON (handle: 2, , )
    SERVER> RFC Server Session (handle: 1, 59587535, {28C87ADF-4577-F16D-B797-0019B9E204CC})
    SERVER> Caller host:
    SERVER> Caller transaction code:  (Caller Program: SAPLSADC)
    SERVER> Called function module: DBM_CONNECT_PUR
    Error RFCIO_ERROR_SYSERROR in abrfcpic.c : 1501
    CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679
    Transaction program not registered                                      
    DEST =SAPDB_DBM_DAEMON
    HOST =%%RFCSERVER%%
    PROG =dbmrfc@sapdb
    DEV_W0

    X Fri Jun 18 18:05:15 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    N Fri Jun 18 18:05:25 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    X Fri Jun 18 18:05:39 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    X Fri Jun 18 18:05:46 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    X Fri Jun 18 18:05:52 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    N Sun Jun 20 10:55:32 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    X Sun Jun 20 11:00:02 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    N Sun Jun 20 11:00:32 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    C Sun Jun 20 11:03:34 2010
    C  Thread ID:1956
    C  dbmssslib.dll patch info
    C    patchlevel   0
    C    patchno      13
    C    patchcomment Errors when running with par_stmt_prepare set to zero (1253696)
    C  Local connection used on SAPFIVE to named instance: np:SAPFIVE\ECT

    C Sun Jun 20 11:03:49 2010
    C  OpenOledbConnection: line 23839. hr: 0x8000ffff Login timeout expired
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Login timeout expired
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), An error has occurred while establishing a connection to the server. When connecting to SQL Server 2005, this failure may be caused by the fact that under the default settings SQL Server does not allow remote connections.
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), SQL Network Interfaces: Server doesn't support requested protocol [xFFFFFFFF].
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Invalid connection string attribute
    C  Procname: [OpenOledbConnection - no proc]

    C Sun Jun 20 11:04:04 2010
    C  OpenOledbConnection: line 23839. hr: 0x8000ffff Login timeout expired
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Login timeout expired
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), An error has occurred while establishing a connection to the server. When connecting to SQL Server 2005, this failure may be caused by the fact that under the default settings SQL Server does not allow remote connections.
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), SQL Network Interfaces: Server doesn't support requested protocol [xFFFFFFFF].
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Invalid connection string attribute
    C  Procname: [OpenOledbConnection - no proc]

    C Sun Jun 20 11:04:19 2010
    C  OpenOledbConnection: line 23839. hr: 0x8000ffff Login timeout expired
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Login timeout expired
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), An error has occurred while establishing a connection to the server. When connecting to SQL Server 2005, this failure may be caused by the fact that under the default settings SQL Server does not allow remote connections.
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err -1, sev 0), SQL Network Interfaces: Server doesn't support requested protocol [xFFFFFFFF].
    C  Procname: [OpenOledbConnection - no proc]
    C  sloledb.cpp [OpenOledbConnection,line 23839]: Error/Message: (err 0, sev 0), Invalid connection string attribute
    C  Procname: [OpenOledbConnection - no proc]
    C  failed to establish conn to np:SAPFIVE\ECT.
    C  Retrying without protocol specifier: SAPFIVE\ECT
    C  Connected to db server : [SAPFIVE\ECT] server_used : [SAPFIVE\ECT], dbname: ECT, dbuser: ect
    C  pn_id:SAPFIVE_ECT_ECTECT_ECT
    B  Connection 4 opened (DBSL handle 2)
    B  Wp  Hdl ConName          ConId     ConState     TX  PRM RCT TIM MAX OPT Date     Time   DBHost         
    B  000 000 R/3              000000000 ACTIVE       YES YES NO  000 255 255 20100618 061458 SAPFIVE\ECT    
    B  000 001 +DBO+0050      000002156 INACTIVE     NO  NO  NO  004 255 255 20100618 101017 SAPFIVE\ECT    
    B  000 002 +DBO+0050      000001981 DISCONNECTED NO  NO  NO  000 255 255 20100620 070023 SAPFIVE\ECT    
    B  000 003 +DBO+0050      000001982 DISCONNECTED NO  NO  NO  000 255 255 20100620 070023 SAPFIVE\ECT    
    B  000 004 R/3*INACT_PACK   000002157 ACTIVE       NO  NO  NO  004 255 255 20100620 110334 SAPFIVE\ECT  
    N Sun Jun 20 17:35:35 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    M Sun Jun 20 17:47:29 2010
    M  ThAlarmHandler (1)
    M  ThAlarmHandler (1)
    M  ThAlarmHandler: set CONTROL_TIMEOUT/DP_CONTROL_JAVA_EXIT and break sql

    C Sun Jun 20 17:47:33 2010
    C  SQLBREAK: DBSL_CMD_SQLBREAK: CbOnCancel was not set. rc: 15
    M  program canceled
    M    reason   = max run time exceeded
    M    user     = SAPSYS     
    M    client   = 000
    M    terminal =                    
    M    report   = SAPMSSY2                               
    M  ThAlarmHandler: return from signal handler

    A Sun Jun 20 17:48:33 2010
    A  TH VERBOSE LEVEL FULL
    A  ** RABAX: level LEV_RX_PXA_RELEASE_MTX entered.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_MTX completed.
    A  ** RABAX: level LEV_RX_COVERAGE_ANALYSER entered.
    A  ** RABAX: level LEV_RX_COVERAGE_ANALYSER completed.
    A  ** RABAX: level LEV_RX_ROLLBACK entered.
    A  ** RABAX: level LEV_RX_ROLLBACK completed.
    A  ** RABAX: level LEV_RX_DB_ALIVE entered.
    A  ** RABAX: level LEV_RX_DB_ALIVE completed.
    A  ** RABAX: level LEV_RX_HOOKS entered.
    A  ** RABAX: level LEV_RX_HOOKS completed.
    A  ** RABAX: level LEV_RX_STANDARD entered.
    A  ** RABAX: level LEV_RX_STANDARD completed.
    A  ** RABAX: level LEV_RX_STOR_VALUES entered.
    A  ** RABAX: level LEV_RX_STOR_VALUES completed.
    A  ** RABAX: level LEV_RX_C_STACK entered.

    A Sun Jun 20 17:48:42 2010
    A  ** RABAX: level LEV_RX_C_STACK completed.
    A  ** RABAX: level LEV_RX_MEMO_CHECK entered.
    A  ** RABAX: level LEV_RX_MEMO_CHECK completed.
    A  ** RABAX: level LEV_RX_AFTER_MEMO_CHECK entered.
    A  ** RABAX: level LEV_RX_AFTER_MEMO_CHECK completed.
    A  ** RABAX: level LEV_RX_INTERFACES entered.
    A  ** RABAX: level LEV_RX_INTERFACES completed.
    A  ** RABAX: level LEV_RX_GET_MESS entered.
    A  ** RABAX: level LEV_RX_GET_MESS completed.
    A  ** RABAX: level LEV_RX_INIT_SNAP entered.
    A  ** RABAX: level LEV_RX_INIT_SNAP completed.
    A  ** RABAX: level LEV_RX_WRITE_SYSLOG entered.
    A  ** RABAX: level LEV_RX_WRITE_SYSLOG completed.
    A  ** RABAX: level LEV_RX_WRITE_SNAP_BEG entered.
    A  ** RABAX: level LEV_RX_WRITE_SNAP_BEG completed.
    A  ** RABAX: level LEV_RX_WRITE_SNAP entered.

    A Sun Jun 20 17:48:48 2010
    A  ** RABAX: level LEV_SN_END completed.
    A  ** RABAX: level LEV_RX_WRITE_SNAP_END entered.
    A  ** RABAX: level LEV_RX_WRITE_SNAP_END completed.
    A  ** RABAX: level LEV_RX_SET_ALERT entered.
    A  ** RABAX: level LEV_RX_SET_ALERT completed.
    A  ** RABAX: level LEV_RX_COMMIT entered.
    A  ** RABAX: level LEV_RX_COMMIT completed.
    A  ** RABAX: level LEV_RX_SNAP_SYSLOG entered.
    A  ** RABAX: level LEV_RX_SNAP_SYSLOG completed.
    A  ** RABAX: level LEV_RX_RESET_PROGS entered.
    A  ** RABAX: level LEV_RX_RESET_PROGS completed.
    A  ** RABAX: level LEV_RX_STDERR entered.
    A  Sun Jun 20 17:48:48 2010

    A  ABAP Program SAPMSSY2                                .
    A  Source RSBTCTRC                                 Line 131.
    A  Error Code TIME_OUT.
    A  Module  $Id: //bas/701_REL/src/krn/runt/abinit.c#1 $ SAP.
    A  Function ab_chstat Line 1941.
    A  ** RABAX: level LEV_RX_STDERR completed.
    A  ** RABAX: level LEV_RX_RFC_ERROR entered.
    A  ** RABAX: level LEV_RX_RFC_ERROR completed.
    A  ** RABAX: level LEV_RX_RFC_CLOSE entered.
    A  ** RABAX: level LEV_RX_RFC_CLOSE completed.
    A  ** RABAX: level LEV_RX_IMC_ERROR entered.
    A  ** RABAX: level LEV_RX_IMC_ERROR completed.
    A  ** RABAX: level LEV_RX_DATASET_CLOSE entered.
    A  ** RABAX: level LEV_RX_DATASET_CLOSE completed.
    A  ** RABAX: level LEV_RX_RESET_SHMLOCKS entered.
    A  ** RABAX: level LEV_RX_RESET_SHMLOCKS completed.
    A  ** RABAX: level LEV_RX_ERROR_SAVE entered.
    A  ** RABAX: level LEV_RX_ERROR_SAVE completed.
    A  ** RABAX: level LEV_RX_ERROR_TPDA entered.
    A  ** RABAX: level LEV_RX_ERROR_TPDA completed.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_RUDI entered.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_RUDI completed.
    A  ** RABAX: level LEV_RX_LIVE_CACHE_CLEANUP entered.
    A  ** RABAX: level LEV_RX_LIVE_CACHE_CLEANUP completed.
    A  ** RABAX: level LEV_RX_END entered.
    A  ** RABAX: level LEV_RX_END completed.
    A  ** RABAX: end no http/smtp
    A  ** RABAX: end RX_BTCHLOG|RX_VBLOG
    A  Time limit exceeded..


    X Sun Jun 20 17:49:03 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]
    N Sun Jun 20 18:35:40 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    N Sun Jun 20 18:50:35 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    N Sun Jun 20 18:55:31 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    N Sun Jun 20 19:00:31 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.

    X Sun Jun 20 19:01:59 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    X Sun Jun 20 19:02:05 2010
    X  *** ERROR => EmActiveData: Invalid Context Handle -1 [emxx.c       2214]

    M Sun Jun 20 19:04:02 2010
    M  ***LOG R49=> ThReceive, CPIC-Error (020223) [thxxhead.c   7488]
    M  ***LOG R5A=> ThReceive, CPIC-Error (76495728) [thxxhead.c   7493]
    M  ***LOG R64=> ThReceive, CPIC-Error ( CMSEND(SAP)) [thxxhead.c   7498]

    N Sun Jun 20 19:05:31 2010
    N  RSEC: The entry with identifier /RFC/DIICLNT800
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    N  RSEC: The entry with identifier /RFC/T90CLNT090
    N  was encrypted by a system
    N  with different SID and cannot be decrypted here.
    Thanks
    Mani

    i have few BG jobs running at backend, but i dont think that could be a problem. I have these jobs running
    ESH_IX_PROCESS_CP_20100621051308
    EU_PUT
    EU_REORG
    RPTMC_CREATE_CHANGEPOINT_AUTH
    i cancelled  the last one and first job is for trex indexing for changed object i SAP hR master data. middle two i dont know the purpose.
    do you think these could be problem?
    Mani

  • Object reference not set to an instance of an object error when generating a schema using flat file schema wizard.

    I have a csv file that I need to generate a schema for. I am trying to generate a schema using flat file schema wizard but I keep getting "Object reference not set to an instance of an object." error when I am clicking on the Next button after
    specifying properties of the child elements on the wizard. At the end I get schema file generated but it contains an empty root record with no child elements.
    I thought may be this is because I didn't have my project checked out from the Visual SourceSafe db first but I tried again with the project checked out and got the same error.
    I also tried creating a brand new project and generating a schema for it but got the same error.
    I am not sure what is causing Null Reference exception to be thrown and there is nothing in the Windows event log that would tell me more about the problem.
    I am using Visual Studio 2008 for my BizTalk development.
    I would appreciate if some has any insides on this issue.

    Hi,
    To test your environment, create a new BizTalk project outside of source control.
    Create a simple csv file on the file system.
    Name,City,State
    Bob,New York,NY
    Use the Flat file schema Wizard to create the flat file schema from your simple csv instance.
    Validate the schema.
    Test the schema using your csv instance.
    This will help you determine if everything is ok with you environment.
    Thanks,
    William

  • Empty Log File - log settings will not save

    Description of Problem or Question:
    Cannot get logging to work in folder D:\Program Files\Business Objects\Dashboard and Analytics 12.0\server\log
    (empty log file is created)
    Product\Version\Service Pack\Fixpack (if applicable):
    BO Enterorise 12.0
    Relevant Environment Information (OS & version, java or .net & version, DB & version):
    Server: windows Server 2003 Enterprise SP2.
    Database Oracle 10g
    Client : Vista
    Sporadic or Consistent (if applicable):
    Consistent
    What has already been tried (where have you searched for a solution to your question/problem):
    Searched forum, SMP
    Steps to Reproduce (if applicable):
    From InfoViewApp, logged in as Admin
    Open ->Dashboard and Analytics Setp -> Parameters -> Trace
    Check "Log to folder" and "SQL Queries", Click Apply.
    Now, navigate away and return to this page - the "Log to folder" is unchecked. Empty log file is created.

    Send Apple feedback. They won't answer, but at least will know there is a problem. If enough people send feedback, it may get the problem solved sooner.
    Feedback
    Or you can use your Apple ID to register with this site and go the Apple BugReporter. Supposedly you will get an answer if you submit feedback.
    Feedback via Apple Developer
    Do a backup.
    Quit the application.
    Go to Finder and select your user/home folder. With that Finder window as the front window, either select Finder/View/Show View options or go command - J.  When the View options opens, check ’Show Library Folder’. That should make your user library folder visible in your user/home folder.  Select Library. Then go to Preferences/com.apple.systempreferences.plist. Move the .plist to your desktop.
    Restart, open the application and test. If it works okay, delete the plist from the desktop.
    If the application is the same, return the .plist to where you got it from, overwriting the newer one.
    Thanks to leonie for some information contained in this.

  • Need help in understanding the result logged in gateway log file

    I have installed unixODBC.x86_64 (2.2.14) and mysql-connector-odbc-5.3.4-linux-el6-x85-64 on Oracle Linux Server 6.5 64 bit with Oracle 12c and MySQL Community Server 5..6.14.  Oracle database character set is AL32UTF8 and MySQL database character set is latin1. I have copied the content of a gateway log file to the bottom of this entry and boldfaced the lines that I hope someone can explain to me what they mean and what should I do.
    Gateway init file has the following configuration:
    HS_FDS_CONNECT_INFO = myodbc5
    HS_FDS_TRACE_LEVEL = DEBUG
    HS_FDS_SHAREABLE_NAME = /usr/lib64/libodbc.so
    HS_LANGUAGE=AMERICAN_AMERICA.WE8ISO8859P15
    set ODBCSYSINI=/tmp/shared
    ODBC.ini located in /tmp/shared has the following configuration:
    [myodbc5]
    Driver          = /tmp/shared/mysql-odbc/lib/libmyodbc5w.so
    DATABASE        = peter
    DESCRIPTION     = MySQL ODBC 5.3 Unicode Driver
    SERVER          = localhost
    UID             = peter
    PASSWORD        = peter
    SOCKET          = /var/lib/mysql/mysql.sock
    Listener.ora has the following configuration:
    LISTENER =
      (ADDRESS_LIST=
    (ADDRESS=(PROTOCOL=tcp)(HOST=localhost)(PORT=1521))
    (ADDRESS=(PROTOCOL=ipc)(KEY=PNPKEY)))
    SID_LIST_LISTENER =
       (SID_LIST =
         (SID_DESC =
           (GLOBAL_DBNAME = PETER)
           (ORACLE_HOME = /opt/oracle/12c)
           (SID_NAME = PETER)
         (SID_DESC =
           (SID_NAME = mysqlodbc)
           (ORACLE_HOME = /opt/oracle/12c)
           (PROGRAM = dg4odbc)
    Tnsnames.ora has the following configuration:
    mysqlodbc =
    (DESCRIPTION=
    (ADDRESS=
    (PROTOCOL=TCP) (HOST=localhost) (PORT=1521)
    (CONNECT_DATA=
    (SID=mysqlodbc))
    (HS=OK)
    Gateway log file has the following content:
    Oracle Corporation --- TUESDAY   FEB 17 2015 14:08:39.306
    Heterogeneous Agent Release
    12.1.0.1.0
    Oracle Corporation --- TUESDAY   FEB 17 2015 14:08:39.306
        Version 12.1.0.1.0
    Entered hgogprd
    HOSGIP for "HS_FDS_TRACE_LEVEL" returned "DEBUG"
    Entered hgosdip
    setting HS_OPEN_CURSORS to default of 50
    setting HS_FDS_RECOVERY_ACCOUNT to default of "RECOVER"
    setting HS_FDS_RECOVERY_PWD to default value
    setting HS_FDS_TRANSACTION_LOG to default of HS_TRANSACTION_LOG
    setting HS_IDLE_TIMEOUT to default of 0
    setting HS_FDS_TRANSACTION_ISOLATION to default of "READ_COMMITTED"
    setting HS_NLS_NCHAR to default of "AL32UTF8"
    setting HS_FDS_TIMESTAMP_MAPPING to default of "DATE"
    setting HS_FDS_DATE_MAPPING to default of "DATE"
    setting HS_RPC_FETCH_REBLOCKING to default of "ON"
    setting HS_FDS_FETCH_ROWS to default of "100"
    setting HS_FDS_RESULTSET_SUPPORT to default of "FALSE"
    setting HS_FDS_RSET_RETURN_ROWCOUNT to default of "FALSE"
    setting HS_FDS_PROC_IS_FUNC to default of "FALSE"
    setting HS_FDS_MAP_NCHAR to default of "TRUE"
    setting HS_NLS_DATE_FORMAT to default of "YYYY-MM-DD HH24:MI:SS"
    setting HS_FDS_REPORT_REAL_AS_DOUBLE to default of "FALSE"
    setting HS_LONG_PIECE_TRANSFER_SIZE to default of "65536"
    setting HS_SQL_HANDLE_STMT_REUSE to default of "FALSE"
    setting HS_FDS_QUERY_DRIVER to default of "TRUE"
    setting HS_FDS_SUPPORT_STATISTICS to default of "FALSE"
    setting HS_FDS_QUOTE_IDENTIFIER to default of "TRUE"
    setting HS_KEEP_REMOTE_COLUMN_SIZE to default of "OFF"
    setting HS_FDS_GRAPHIC_TO_MBCS to default of "FALSE"
    setting HS_FDS_MBCS_TO_GRAPHIC to default of "FALSE"
    Default value of 64 assumed for HS_FDS_SQLLEN_INTERPRETATION
    setting HS_CALL_NAME_ISP to "gtw$:SQLTables;gtw$:SQLColumns;gtw$:SQLPrimaryKeys;gtw$:SQLForeignKeys;gtw$:SQLProcedures;gtw$:SQLStatistics;gtw$:SQLGetInfo"
    setting HS_FDS_DELAYED_OPEN to default of "TRUE"
    setting HS_FDS_WORKAROUNDS to default of "0"
    Exiting hgosdip, rc=0
    ORACLE_SID is "mysqlodbc"
    Product-Info:
      Port Rls/Upd:1/0 PrdStat:0
      Agent:Oracle Database Gateway for ODBC
      Facility:hsa
      Class:ODBC, ClassVsn:12.1.0.1.0_0017, Instance:mysqlodbc
    Exiting hgogprd, rc=0
    Entered hgoinit
    HOCXU_COMP_CSET=1
    HOCXU_DRV_CSET=46
    HOCXU_DRV_NCHAR=873
    HOCXU_DB_CSET=873
    HS_LANGUAGE is AMERICAN_AMERICA.WE8ISO8859P15
    LANG=en_US.UTF-8
    HOCXU_SEM_VER=121000
    HOCXU_VC2_MAX=4000
    HOCXU_RAW_MAX=2000
    Entered hgolofn at 2015/02/17-14:08:39
    HOSGIP for "HS_FDS_SHAREABLE_NAME" returned "/usr/lib64/libodbc.so"
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac07fe0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac08110
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac089d0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac09d40
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac11c00
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac120a0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac148d0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac15dd0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac16610
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac18060
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac18070
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac197c0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1cb80
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1cf60
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1eb70
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1f800
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1fb80
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac21af0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac21f10
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac23b20
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac23960
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac0a360
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac0bc20
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac0f710
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac11470
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac12c00
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac15810
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac16f70
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac18400
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac19ec0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1a390
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1b5f0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1c320
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1d9c0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1dcc0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac1e7c0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac20380
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac208d0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac20eb0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac21520
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac22210
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac24fb0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac23610
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac26910
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Entered hgolofns at 2015/02/17-14:08:39
    symbol_peflctx=0xac275e0
    hoaerr:0
    Exiting hgolofns at 2015/02/17-14:08:39
    Exiting hgolofn, rc=0 at 2015/02/17-14:08:39
    HOSGIP for "HS_OPEN_CURSORS" returned "50"
    HOSGIP for "HS_FDS_FETCH_ROWS" returned "100"
    HOSGIP for "HS_LONG_PIECE_TRANSFER_SIZE" returned "65536"
    HOSGIP for "HS_NLS_NUMERIC_CHARACTERS" returned ".,"
    HOSGIP for "HS_KEEP_REMOTE_COLUMN_SIZE" returned "OFF"
    HOSGIP for "HS_FDS_DELAYED_OPEN" returned "TRUE"
    HOSGIP for "HS_FDS_WORKAROUNDS" returned "0"
    HOSGIP for "HS_FDS_MBCS_TO_GRAPHIC" returned "FALSE"
    HOSGIP for "HS_FDS_GRAPHIC_TO_MBCS" returned "FALSE"
    Invalid value of 64 given for HS_FDS_SQLLEN_INTERPRETATION
    treat_SQLLEN_as_compiled = 1
    Exiting hgoinit, rc=0 at 2015/02/17-14:08:39
    Entered hgolgon at 2015/02/17-14:08:39
    reco:0, name:peter, tflag:0
    Entered hgosuec at 2015/02/17-14:08:39
    Exiting hgosuec, rc=0 at 2015/02/17-14:08:39
    HOSGIP for "HS_FDS_RECOVERY_ACCOUNT" returned "RECOVER"
    HOSGIP for "HS_FDS_TRANSACTION_LOG" returned "HS_TRANSACTION_LOG"
    HOSGIP for "HS_FDS_TIMESTAMP_MAPPING" returned "DATE"
    HOSGIP for "HS_FDS_DATE_MAPPING" returned "DATE"
    HOSGIP for "HS_FDS_MAP_NCHAR" returned "TRUE"
    HOSGIP for "HS_FDS_RESULTSET_SUPPORT" returned "FALSE"
    HOSGIP for "HS_FDS_RSET_RETURN_ROWCOUNT" returned "FALSE"
    HOSGIP for "HS_FDS_PROC_IS_FUNC" returned "FALSE"
    HOSGIP for "HS_FDS_REPORT_REAL_AS_DOUBLE" returned "FALSE"
    using peter as default schema
    HOSGIP for "HS_SQL_HANDLE_STMT_REUSE" returned "FALSE"
    Entered hgocont at 2015/02/17-14:08:39
    HS_FDS_CONNECT_INFO = "myodbc5"
    RC=-1 from HOSGIP for "HS_FDS_CONNECT_STRING"
    Entered hgogenconstr at 2015/02/17-14:08:39
    dsn:myodbc5, name:peter
    optn:
    Entered hgocip at 2015/02/17-14:08:39
    dsn:myodbc5
    Exiting hgocip, rc=0 at 2015/02/17-14:08:39
    Exiting hgogenconstr, rc=0 at 2015/02/17-14:08:39
    Entered hgolosf at 2015/02/17-14:08:39
    Exiting hgolosf, rc=0 at 2015/02/17-14:08:39
    DriverName:libmyodbc5w.so, DriverVer:05.03.0004
    DBMS Name:MySQL, DBMS Version:5.6.14
    Exiting hgocont, rc=0 at 2015/02/17-14:08:39
    SQLGetInfo returns Y for SQL_CATALOG_NAME
    SQLGetInfo returns 192 for SQL_MAX_CATALOG_NAME_LEN
    Exiting hgolgon, rc=0 at 2015/02/17-14:08:39
    Entered hgoulcp at 2015/02/17-14:08:39
    Entered hgowlst at 2015/02/17-14:08:39
    Exiting hgowlst, rc=0 at 2015/02/17-14:08:39
    SQLGetInfo returns 0x0 for SQL_SCHEMA_USAGE
    TXN Capable:3, Isolation Option:0xf
    SQLGetInfo returns 0 for SQL_MAX_SCHEMA_NAME_LEN
    SQL_SU_DML_STATEMENTS bit is not set. Schemas are not supported by FDS.
    SQLGetInfo returns 192 for SQL_MAX_TABLE_NAME_LEN
    SQLGetInfo returns 192 for SQL_MAX_PROCEDURE_NAME_LEN
    HOSGIP returned value of "TRUE" for HS_FDS_QUOTE_IDENTIFIER
    SQLGetInfo returns ` (0x60) for SQL_IDENTIFIER_QUOTE_CHAR
    Entered hgopoer at 2015/02/17-14:08:39
    Exiting hgopoer, rc=0 at 2015/02/17-14:08:39 with error ptr FILE:hgopoer.c LINE:195 ID:GetDiagRec error
    hgoulcp, line 2138: calling SQLFetch got sqlstate 00000
    3 instance capabilities will be uploaded
      capno:5964, context:0x00000000, add-info:        0
      capno:5989, context:0x00000000, add-info:        0
      capno:5992, context:0x0001ffff, add-info:        1, translation:"`"
    Exiting hgoulcp, rc=0 at 2015/02/17-14:08:39 with error ptr FILE:hgoulcp.c LINE:2140 ID:Translation text for Unicode literal not supported. Leaving HOACOPTTSTN1 capability off.
    Entered hgouldt at 2015/02/17-14:08:39
    NO instance DD translations were uploaded
    Exiting hgouldt, rc=0 at 2015/02/17-14:08:39
    Entered hgobegn at 2015/02/17-14:08:39
    tflag:0 , initial:1
    hoi:0xd991a328, ttid (len 24) is ...
      00: 50455445 522E3864 63666537 31332E31  [PETER.8dcfe713.1]
      10: 2E33312E 32303235                    [.31.2025]
                     tbid (len 21) is ...
      00: 50455445 525B312E 33312E32 3032355D  [PETER[1.31.2025]]
      10: 5B312E34 5D                          [[1.4]]
    Exiting hgobegn, rc=0 at 2015/02/17-14:08:39
    Entered hgodtab at 2015/02/17-14:08:39
    count:1
      table: mysql_table1
    Allocate hoada[0] @ 0x10b6300
    Entered hgopcda at 2015/02/17-14:08:39
    Column:1(dest): dtype:1 (CHAR), prc/scl:5/0, nullbl:1, octet:5, sign:1, radix:0
    Exiting hgopcda, rc=0 at 2015/02/17-14:08:39
    The hoada for table mysql_table1 follows...
    hgodtab, line 1079: Printing hoada @ 0x10b6300
    MAX:1, ACTUAL:1, BRC:1, WHT=6 (TABLE_DESCRIBE)
    hoadaMOD bit-values found (0x200:TREAT_AS_CHAR)
    DTY      NULL-OK  LEN  MAXBUFLEN   PR/SC  CST IND MOD NAME
      1 CHAR Y          5          5   0/  0    0   0 200 dest
    Exiting hgodtab, rc=0 at 2015/02/17-14:08:39
    Entered hgodafr, cursor id 0 at 2015/02/17-14:08:39
    Free hoada @ 0x10b6300
    Exiting hgodafr, rc=0 at 2015/02/17-14:08:39
    Entered hgopars, cursor id 1 at 2015/02/17-14:08:39
    type:0
    SQL text from hgopars, id=1, len=39 ...
         00: 53454C45 43542041 312E6064 65737460  [SELECT A1.`dest`]
         10: 2046524F 4D20606D 7973716C 5F746162  [ FROM `mysql_tab]
         20: 6C653160 204131                      [le1` A1]
    Exiting hgopars, rc=0 at 2015/02/17-14:08:39
    Entered hgoopen, cursor id 1 at 2015/02/17-14:08:39
    hgoopen, line 87: NO hoada to print
    Deferred open until first fetch.
    Exiting hgoopen, rc=0 at 2015/02/17-14:08:39
    Entered hgodscr, cursor id 1 at 2015/02/17-14:08:39
    Allocate hoada @ 0x10b6300
    Entered hgodscr_process_sellist_description at 2015/02/17-14:08:39
    Entered hgopcda at 2015/02/17-14:08:39
    Column:1(dest): dtype:1 (CHAR), prc/scl:5/0, nullbl:1, octet:5, sign:1, radix:0
    Exiting hgopcda, rc=0 at 2015/02/17-14:08:39
    hgodscr, line 470: Printing hoada @ 0x10b6300
    MAX:1, ACTUAL:1, BRC:100, WHT=5 (SELECT_LIST)
    hoadaMOD bit-values found (0x200:TREAT_AS_CHAR)
    DTY      NULL-OK  LEN  MAXBUFLEN   PR/SC  CST IND MOD NAME
      1 CHAR Y          5          5   0/  0    0   0 200 dest
    Exiting hgodscr, rc=0 at 2015/02/17-14:08:39
    Entered hgoftch, cursor id 1 at 2015/02/17-14:08:39
    hgoftch, line 135: Printing hoada @ 0x10b6300
    MAX:1, ACTUAL:1, BRC:100, WHT=5 (SELECT_LIST)
    hoadaMOD bit-values found (0x200:TREAT_AS_CHAR)
    DTY      NULL-OK  LEN  MAXBUFLEN   PR/SC  CST IND MOD NAME
      1 CHAR Y          5          5   0/  0    0   0 200 dest
    Performing delayed open.
    SQLBindCol: column 1, cdatatype: 1, bflsz: 6
    SQLFetch: row: 1, column 1, bflsz: 6, bflar: 5
    SQLFetch: row: 1, column 1, bflsz: 6, bflar: 5, (bfl: 5, mbl: 5)
    1 rows fetched
    Exiting hgoftch, rc=0 at 2015/02/17-14:08:39
    Entered hgoftch, cursor id 1 at 2015/02/17-14:08:39
    hgoftch, line 135: Printing hoada @ 0x10b6300
    MAX:1, ACTUAL:1, BRC:1, WHT=5 (SELECT_LIST)
    hoadaMOD bit-values found (0x200:TREAT_AS_CHAR)
    DTY      NULL-OK  LEN  MAXBUFLEN   PR/SC  CST IND MOD NAME
      1 CHAR Y          5          5   0/  0    0   0 200 dest
    0 rows fetched
    Exiting hgoftch, rc=1403 at 2015/02/17-14:08:39
    Entered hgoclse, cursor id 1 at 2015/02/17-14:23:33
    Exiting hgoclse, rc=0 at 2015/02/17-14:23:33
    Entered hgodafr, cursor id 1 at 2015/02/17-14:23:33
    Free hoada @ 0x10b6300
    Exiting hgodafr, rc=0 at 2015/02/17-14:23:33
    Entered hgocomm at 2015/02/17-14:23:33
    keepinfo:0, tflag:1
       00: 50455445 522E3864 63666537 31332E31  [PETER.8dcfe713.1]
       10: 2E33312E 32303235                    [.31.2025]
                     tbid (len 21) is ...
       00: 50455445 525B312E 33312E32 3032355D  [PETER[1.31.2025]]
       10: 5B312E34 5D                          [[1.4]]
    cmt(0):
    Entered hgocpctx at 2015/02/17-14:23:33
    Exiting hgocpctx, rc=0 at 2015/02/17-14:23:33
    Exiting hgocomm, rc=0 at 2015/02/17-14:23:33
    Entered hgolgof at 2015/02/17-14:23:33
    tflag:1
    Exiting hgolgof, rc=0 at 2015/02/17-14:23:33
    Entered hgoexit at 2015/02/17-14:23:33
    Exiting hgoexit, rc=0
    Entered horcrces_CleanupExtprocSession at 2015/02/17-14:23:33
    Entered horcrpooe_PopOciEnv at 2015/02/17-14:23:33
    Entered horcrfoe_FreeOciEnv at 2015/02/17-14:23:33
    Exiting horcrfoe_FreeOciEnv at 2015/02/17-14:23:33
    Entered horcrfse_FreeStackElt at 2015/02/17-14:23:33
    Exiting horcrfse_FreeStackElt at 2015/02/17-14:23:33
    Exiting horcrpooe_PopOciEnv at 2015/02/17-14:23:33
    Exiting horcrces_CleanupExtprocSession at 2015/02/17-14:23:33

    Hi Matt,
    There is no error and data is returned.  It is just my curiosity to know about those lines in the log file and wonder whether they imply some underlying issues.
    Thanks,
    Peter

Maybe you are looking for