Create Relational View got error: ORA-19276: XPST0005 - XPath step specifie

Hi expert,
I am using Oracle 11.2.0.1.0 XML DB.
I am successfully registered schema and generated a table DOCUMENT.
I have succfully inserted 12 .xml files to this table.
SQL> SELECT OBJECT_VALUE FROM document;
OBJECT_VALUE
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet href="http://www.accessdata.fda.gov/spl/stylesheet/spl.xsl" type="text/xsl"?>
<document xmlns="urn:hl7-org:v3" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="urn:hl7-org:v3 http://localhost:8080/home/DEV/xsd/spl.xsd">
<id root="03d6a2cd-fdda-4fe1-865d-da0db9212f34"/>
<code code="51725-0" codeSystem="2.16.840.1.113883.6.1" displayName="ESTABLISHMENT REGISTRATION"/>
</component>
</document>
then I tried to create a create Relational View base on one inserted .xml file I got error:
ERROR at line 3:
ORA-19276: XPST0005 - XPath step specifies an invalid element/attribute name: (document)
is there anyone know what was wrong?
Thanks a lot!
Cow
Edited by: Cow on Feb 15, 2011 8:58 PM
Edited by: Cow on Feb 21, 2011 6:59 AM

These kinds of issues, you will have to solve by joining multiple resultsets or passing fragments to the next XMLTABLE statement and building redundancy via the ORDINALITY clause (which results a NUMBER datatype)
For example
A "transaction" can have multiple "status"ses which can have multiple "reason"s
WITH XTABLE
AS
  (SELECT xmltype('<TRANSACTION>
                    <PFL_ID>123456789</PFL_ID>
                    <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
                    <ID>1</ID>
                    <INSTR_ID>MARCO_003</INSTR_ID>
                    <E_TO_E_ID>MARCO_004</E_TO_E_ID>
                    <INSTD_AMT>10</INSTD_AMT>
                    <INSTD_AMT_CCY>EUR</INSTD_AMT_CCY>
                    <STATUS>
                        <PFL_ID>123456789</PFL_ID>
                        <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
                        <TXI_ID>1</TXI_ID>
                        <ID>1</ID>
                        <PMT_TX_STS_UTC_DT>2011-02-15</PMT_TX_STS_UTC_DT>
                           <REASON>
                              <ID>1000</ID>
                              <STS_RSN_PRTRY>MG001</STS_RSN_PRTRY>
                           </REASON>
                           <REASON>
                              <ID>2000</ID>
                              <STS_RSN_PRTRY>IS000</STS_RSN_PRTRY>
                           </REASON>
                     </STATUS>
                  </TRANSACTION>') as XMLCOLUMN
  FROM DUAL
SELECT STS_ID             as STATUS_ID,
       STS_PFL_ID,
       STS_PMI_ID,
       STS_TXI_ID,
       RSN_ID             as REASON_ID,
       RSN_STS_RSN_PRTRY,
       RSN_XML_POS        as POSITION
FROM  XTABLE
,     XMLTABLE ('/TRANSACTION/STATUS'
                PASSING XMLCOLUMN
                COLUMNS
                    STS_PFL_ID         NUMBER(10)    path 'PFL_ID'
                  , STS_PMI_ID         NUMBER(10)    path 'PMI_ID'
                  , STS_TXI_ID         NUMBER(10)    path 'TXI_ID'
                  , STS_ID             VARCHAR2(10)  path 'ID'
                  , XML_REASONS        XMLTYPE       path 'REASON'
                  ) sts
,     XMLTABLE ('/REASON'
                PASSING sts.XML_REASONS
                COLUMNS
                    RSN_XML_POS        FOR ORDINALITY
                  , RSN_ID             VARCHAR2(10)  path 'ID'
                  , RSN_STS_RSN_PRTRY  VARCHAR2(10)  path 'STS_RSN_PRTRY'
                  ) rsnWill give you the following output (in your case DON"T forget to buildin the namespace references)
SQL> WITH XTABLE
  2  AS
  3   (SELECT xmltype('<TRANSACTION>
  4             <PFL_ID>123456789</PFL_ID>
  5             <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
  6             <ID>1</ID>
  7             <INSTR_ID>MARCO_003</INSTR_ID>
  8             <E_TO_E_ID>MARCO_004</E_TO_E_ID>
  9             <INSTD_AMT>10</INSTD_AMT>
10             <INSTD_AMT_CCY>EUR</INSTD_AMT_CCY>
11            <STATUS>
12              <PFL_ID>123456789</PFL_ID>
13              <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
14              <TXI_ID>1</TXI_ID>
15              <ID>1</ID>
16              <PMT_TX_STS_UTC_DT>2011-02-15</PMT_TX_STS_UTC_DT>
17                <REASON>
18                  <ID>1000</ID>
19                  <STS_RSN_PRTRY>MG001</STS_RSN_PRTRY>
20                </REASON>
21                <REASON>
22                   <ID>2000</ID>
23                   <STS_RSN_PRTRY>IS000</STS_RSN_PRTRY>
24                </REASON>
25              </STATUS>
26           </TRANSACTION>') as XMLCOLUMN
27   FROM DUAL
28   )
29  SELECT STS_ID             as STATUS_ID,
30         STS_PFL_ID,
31         STS_PMI_ID,
32         STS_TXI_ID,
33         RSN_ID             as REASON_ID,
34         RSN_STS_RSN_PRTRY,
35         RSN_XML_POS        as POSITION
36  FROM  XTABLE
37  ,     XMLTABLE ('/TRANSACTION/STATUS'
38                  PASSING XMLCOLUMN
39              COLUMNS
40                  STS_PFL_ID         NUMBER(10)    path 'PFL_ID'
41                , STS_PMI_ID         NUMBER(10)    path 'PMI_ID'
42                , STS_TXI_ID         NUMBER(10)    path 'TXI_ID'
43                , STS_ID             VARCHAR2(10)  path 'ID'
44                , XML_REASONS        XMLTYPE       path 'REASON'
45            ) sts
46  ,     XMLTABLE ('/REASON'
47                  PASSING sts.XML_REASONS
48              COLUMNS
49                  RSN_XML_POS        FOR ORDINALITY
50                , RSN_ID             VARCHAR2(10)  path 'ID'
51                , RSN_STS_RSN_PRTRY  VARCHAR2(10)  path 'STS_RSN_PRTRY'
52            ) rsn
53 ;
STATUS_ID  STS_PFL_ID STS_PMI_ID STS_TXI_ID REASON_ID  RSN_STS_RS   POSITION
1           123456789          1          1 1000       MG001               1
1           123456789          1          1 2000       IS000               2
2 rows selected.If I wouldn't have done that then I would have got your result which fails with your error:
- ORA-19279 - XQuery dynamic type mismatch: expected singleton sequence - got multi-item sequence
SQL> WITH XTABLE
  2  AS
  3   (SELECT xmltype('<TRANSACTION>
  4             <PFL_ID>123456789</PFL_ID>
  5             <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
  6             <ID>1</ID>
  7             <INSTR_ID>MARCO_003</INSTR_ID>
  8             <E_TO_E_ID>MARCO_004</E_TO_E_ID>
  9             <INSTD_AMT>10</INSTD_AMT>
10             <INSTD_AMT_CCY>EUR</INSTD_AMT_CCY>
11            <STATUS>
12              <PFL_ID>123456789</PFL_ID>
13              <PMI_ID>1</PMI_ID><PII_ID>1</PII_ID>
14              <TXI_ID>1</TXI_ID>
15              <ID>1</ID>
16              <PMT_TX_STS_UTC_DT>2011-02-15</PMT_TX_STS_UTC_DT>
17                <REASON>
18                  <ID>1000</ID>
19                  <STS_RSN_PRTRY>MG001</STS_RSN_PRTRY>
20                </REASON>
21                <REASON>
22                   <ID>2000</ID>
23                   <STS_RSN_PRTRY>IS000</STS_RSN_PRTRY>
24                </REASON>
25              </STATUS>
26           </TRANSACTION>') as XMLCOLUMN
27   FROM DUAL
28   )
29  SELECT STS_ID             as STATUS_ID,
30         STS_PFL_ID,
31         STS_PMI_ID,
32         STS_TXI_ID,
33         RSN_ID             as REASON_ID,
34         RSN_STS_RSN_PRTRY
35  FROM  XTABLE
36  ,     XMLTABLE ('/TRANSACTION/STATUS'
37                  PASSING XMLCOLUMN
38              COLUMNS
39                  STS_PFL_ID         NUMBER(10)    path 'PFL_ID'
40                , STS_PMI_ID         NUMBER(10)    path 'PMI_ID'
41                , STS_TXI_ID         NUMBER(10)    path 'TXI_ID'
42                , STS_ID             VARCHAR2(10)  path 'ID'
43                , RSN_ID             VARCHAR2(10)  path 'REASON/ID'
44                , RSN_STS_RSN_PRTRY  VARCHAR2(10)  path 'REASON/STS_RSN_PRTRY'
45           ) rsn;
              </REASON>
ERROR at line 24:
ORA-19279: XQuery dynamic type mismatch: expected singleton sequence - got
multi-item sequenceHTH
Edited by: Marco Gralike on Feb 16, 2011 12:12 PM

Similar Messages

  • Create Relational View in AW

    Hi Everyone,
    I am currently trying to create a relational view in the awm to use in the administration tool in BIEE. However, everytime i click on the plug in- create relational view all my dimension is greyed out except measures. and when i click on the create view button i get the following error,
    MAY-01-2008 10:25:09: ** ERROR: Unable to create view over cube FINSTMNT_REP_CUBE6428.
    MAY-01-2008 10:25:09: User-Defined Exception
    has anyone encounted this problem please let me know when you can
    regard
    cbeins

    Hi Everyone,
    I am currently trying to create a relational view in the awm to use in the administration tool in BIEE. However, everytime i click on the plug in- create relational view all my dimension is greyed out except measures. and when i click on the create view button i get the following error,
    MAY-01-2008 10:25:09: ** ERROR: Unable to create view over cube FINSTMNT_REP_CUBE6428.
    MAY-01-2008 10:25:09: User-Defined Exception
    has anyone encounted this problem please let me know when you can
    regard
    cbeins

  • Is it possible to create relational view on Analytic Workspace in Oracle 9i Release1

    Hi All,
    We are in the initial stages of Oracle 9i OLAP prototype. Since the current version of BIBeans 2.5 does not work with Release 2 of Oracle 9i OLAP, we are planning to use Oracle 9i OLAP Release 1. So can you please answer the following questions.
    1. Is it possible to create relational view on Analytic Workspace(like in Release 2) and populate the OLAP catalog, if so can you give me guidance to get the appropriate user guide. The OLAP DML guide in Release 1 talks about creating OLAP catalog metadata for Analytic Workspace using a metadata locator object.
    2, Is it advisable to use Oralce 9i OLAP Release 1? Does the Analytic Workspace and the corresponding BIBeans work in Release 1?
    Thank you,
    Senthil

    Analytic Workspaces (Express/multidimensional data objects and procedures written in
    the OLAP DML) are new to Oracle9i OLAP Release 2, you cannot find them in Release 1.
    BI Beans will soon (within a week) introduce a version on OTN that will work with Oracle9i OLAP Release 2.

  • While import the table i got error "ORA-39166"

    I got error "ORA-39166: Object XXXXXXX_030210 was not found." while importing.
    Edited by: AshishS on 03-Feb-2012 04:37

    Pl post details of OS and database versions, along with the complete impdp command used and the sections from the log file where this error occurs.
    HTH
    Srini

  • How to create materlised view in oracle 10g what are the step to create it

    hi,
    this hafeez i have a database in oracle 10g now i want to create materlised view to the database what arre the step required for it.

    You should refer to documentation for more information:
    [Overview of Materialized Views|http://download.oracle.com/docs/cd/B19306_01/server.102/b14220/schema.htm#CNCPT411]
    Kamran Agayev A. (10g OCP)
    http://kamranagayev.wordpress.com
    [Step by Step install Oracle on Linux and Automate the installation using Shell Script |http://kamranagayev.wordpress.com/2009/05/01/step-by-step-installing-oracle-database-10g-release-2-on-linux-centos-and-automate-the-installation-using-linux-shell-script/]

  • BIEE ERROR when creating Relational View

    Hi Everyone,
    I am using the OTN Relational View Creator from the oracle website to create my relational views. However, all my dimension are grayed out and i am unable to select my attributes and hierarchies. Would anyone know what I am doing wrong or is the data that was created not setup properly.
    Regards,
    Cbeins

    Guys,
    I got it. The name of the view was not named starting with 'Z'. So I renamed it as 'ZREQ_DAT' and it works now.
    Thanks,
    Sirish.

  • During Table Import got error ORA-12805: parallel query server died unexpectedly

    Hi,
    I tried to import a single table of size 51 GB which normally imported in 5 hours but last time I got following error after 1.5 hours
    ORA-31693: Table data object "SCHEMA"."TABLE_NAME" failed to load/unload and is being skipped due to error:
    ORA-12805: parallel query server died unexpectedly.
    From the "Alert log" file I found the error is
    ORA-00603: ORACLE server session terminated by fatal error
    ORA-24557: error 1114 encountered while handling error 1114; exiting server process
    ORA-01114: IO error writing block to file 622 (block # 373725)
    ORA-27063: number of bytes read/written is incorrect
    IBM AIX RISC System/6000 Error: 28: No space left on device
    Additional information: -1
    Additional information: 253952
    I checked all the table spaces have more then 100GB free space. No idea why this happened.
    Some mount points of the machine is 100% in used where the table spaces created but in table spaces auto extend is off on every data file and each data file have free space.
    Anyone have idea how to resolve this issue.

    Hi,
    Which filesystem is file 622 in - it's quite a lrge numbered file - is it a tempfile or do you really have that many datafiles?
    Regards,
    Harry
    http://dbaharrison.blogspot.com

  • AWM Create Relational View for BIEE

    Hi Sir/Madam,
    I am having trouble trying to create my relation view in the analytical workspace manager. Every time I try and create it, it gives me all this error. The error is as follow;
    ####ERROR LOG#####
    APR-24-2008 03:49:33: **
    APR-24-2008 03:49:33: ** ERROR: Unable to create view over cube R_UT_CUBE6428.
    APR-24-2008 03:49:33: User-Defined Exception
    Regrads,
    cbeins

    so how we can do with that?You tell us :)
    1- Do you want to extract each performance element into separate rows (through a third XMLTable)?
    2- Do you want to keep only one of them?
    3- Other?
    For 1 :
      contactPerson3 VARCHAR2(20) PATH 'assignedOrganization/contactParty/contactPerson/name',
      performance    XMLTYPE      PATH 'performance'
    ) detail
    , XMLTable(
        XMLNamespaces(default 'urn:hl7-org:v3'),
        '/performance'
        PASSING detail.performance
        COLUMNS
          code3       VARCHAR2(10) PATH 'actDefinition/code/@code',
          codeSystem  VARCHAR2(30) PATH 'actDefinition/code/@codeSystem',
          displayName VARCHAR2(20) PATH 'actDefinition/code/@displayName'
      ) perf
    ...For 2 :
       contactPerson3 VARCHAR2(20) PATH 'assignedOrganization/contactParty/contactPerson/name',
       code3          VARCHAR2(10) PATH 'performance[1]/actDefinition/code/@code',
       codeSystem     VARCHAR2(30) PATH 'performance[1]/actDefinition/code/@codeSystem',
       displayName    VARCHAR2(20) PATH 'performance[1]/actDefinition/code/@displayName'
    ) detail
    ...

  • EXPDP got error ORA-39014,ORA-39029 in oracle 10.2.0.4

    oracle database = 10.2.0.4
    OS= Oracle enterprise linux 4.8
    after run expdp file i got the following error:
    ORA-39014: One or more workers have prematurely exited.
    ORA-39029: worker 1 with process name "DW01" prematurely terminated
    ORA-31671: Worker process DW01 had an unhandled exception.
    ORA-24795: Illegal ROLLBACK attempt made
    ORA-06512: at "SYS.KUPW$WORKER", line 1352
    ORA-24795: Illegal ROLLBACK attempt made
    ORA-06512: at "SYS.KUPW$WORKER", line 7073
    ORA-24795: Illegal ROLLBACK attempt made
    ORA-06512: at "SYS.KUPW$WORKER", line 2829
    ORA-24795: Illegal ROLLBACK attempt made
    ORA-24795: Illegal ROLLBACK attempt made
    ORA-06512: at "SYS.KUPW$WORKER", line 10915
    ORA-02354: error in exporting/importing data
    ORA-39773: parse of metadata stream faile
    how could i solve my problm????
    help me

    user12189421 wrote:
    ulimit -n
    131072
    lsof | grep oracle | wc -l
    2332
    cat /proc/sys/fs/file-nr
    2520 0 357686In that case you need to check with your system admin.
    Error:  ORA 447 
    Text:   fatal error in background process
    Cause:  One of the background processes completed unexpectedly.
    Action: Restart the system.
            Check and, if necessary, correct the problem indicated by the
            background trace file in BACKGROUND_DUMP_DEST.
    *** Important: The notes below are for experienced users - See Note:22080.1
    Diagnosis:
          - Check the alert log and trace files for all trace files around
         the time of the error. It is common for one trace to point at another
         process. Follow the list until you get a file with a real
         error in it. If unsure collect ALL trace files.
          - If all traces point to a process with no tracefile (Eg: LGWR)
         check whether any new tablespaces or datafiles have been added
         recently
         Check whether sum(number of datafiles +
                           number of redolog files +
                              number of controlfiles) 
                    is less than  
                              (user's unix open file limit. eg. nfile on SUN,
                                  maxfile on HP)Regards
    Anurag

  • Materialed View Refresh Error ORA-12008: error in materialized view refresh

    Hi,
    I am trying to refersh the following materialized view with the below command and getting the below error
    begin
    DBMS_MVIEW.REFRESH('GLVW_MIS_ADB');
    end;
    The following error has occurred:
    ORA-12008: error in materialized view refresh path
    ORA-12840: cannot access a remote table after parallel/insert direct load txn
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 803
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 860
    ORA-06512: at "SYS.DBMS_SNAPSHOT", line 841
    ORA-06512: at line 2
    Please advice on this.
    Thanks & Regards,
    Kartik

    $ oerr ora 12840
    12840, 00000, "cannot access a remote table after parallel/insert direct load txn"
    // *Cause: Within a transaction, an attempt was made to perform distributed
    // access after a PDML or insert direct  statement had been issued.
    // *Action: Commit/rollback the PDML transaction first, and then perform
    // the distributed access, or perform the distributed access before the
    // first PDML statement in the transaction.
    $                                                                   

  • CREATE MATERIALIZED VIEW LOG ERROR

    Quick question:
    This doesn't work:
    CREATE MATERIALIZED VIEW LOG ON STOCKMOVES
    NOCACHE
    LOGGING
    NOPARALLEL
    WITH PRIMARY KEY, (ITEMKEY,WAREHOUSE,AGENT,DOCUMENTID,STATUS,RATE,PRICE,DISCOUNTPRC,SUPPLYQUANTITY)
    INCLUDING NEW VALUES
    Fails with "ORA-00922: missing or invalid option" and points to "(ITEMKEY"
    Can't find what's wrong.

    Comma after PRIMARY KEY is not required.
    Regards,
    Archana
    "While one person hesitates because he feels inferior, the other is busy making mistakes and becoming superior."
    http://justoracle.blogspot.com/
    -----------------------

  • Loin apex got error ora-01403?

    Hi guys:
    I installed apex 3.1.2 in oracle 9.2.0.3 ,but when i tred to login in apex/apex_admin,I got a error
    ORA-01403: no data found
    Unable to get workspace name.
    Return to application.
    I tried using other username ,all it returned the same error?
    I had searched the reason all the internet ,but hadnt got an answer,could you help me settle it? thanks.

    It should be 9.2.0.4 the following is the message when I login in.
    Oracle9i Enterprise Edition Release 9.2.0.4.0 - Production
    With the Partitioning, OLAP and Oracle Data Mining options
    JServer Release 9.2.0.4.0 - Production
    the database works.
    select * from sys.dual;
    D
    X
    I test for a long time to try finding where the error is.privately I think ,the Apex did not connect to database,Some times when I press 'enter' some times.
    there would appear windows let me change my password,but when I changed it and press'enter' then the same errror appears.
    Here I post wdbsvr.app for you.
    [PLSQL_GATEWAY]
    administrators = all
    adminPath = /admin_/
    ;admindad =
    ;debugModules =
    defaultDAD = APEX
    ;upload_as_long_raw =
    ;upload_as_blob =
    ;enablesso =
    ;stateful =
    ;custom_auth =
    ;error_style =
    [DAD_apex]
    connect_string = 192.168.0.1:1525:test
    password = apex
    username = apex_public_user
    default_page = apex
    document_table = wwv_flow_file_objects$
    document_path = docs
    document_proc = wwv_flow_file_mgr.process_download
    ;upload_as_long_raw =
    ;upload_as_blob =
    ;name_prefix =
    ;always_describe =
    ;after_proc =
    ;before_proc =
    reuse = Yes
    ;connmax =
    ;pathalias =
    ;pathaliasproc =
    enablesso = No
    ;sncookiename =
    stateful = STATELESS_PRESERVE
    ;custom_auth =
    ;response_array_size =
    ;exclusion_list =
    ;cgi_env_list =
    ;bind_bucket_widths =
    ;bind_bucket_lengths =
    ;error_style =
    nls_lang = American_America.Al32UTF8
    by the way ,1525 is the port of listener. the database just a database for test ,having no other uses.
    Thank you for your care
    Edited by: flysun on 2009-2-8 下午6:59

  • Why I got error ORA-02429 when I tried to drop a tablespace?

    I use the following command to drop the tablespace:
    drop tablespace users including contents and datafiles;The error message is below:
    Error report:
    SQL Error: ORA-00604: error occurred at recursive SQL level 1
    ORA-02429: cannot drop index used for enforcement of unique/primary key
    00604. 00000 -  "error occurred at recursive SQL level %s"
    *Cause:    An error occurred while processing a recursive SQL statement
               (a statement applying to internal dictionary tables).
    *Action:   If the situation described in the next error on the stack
               can be corrected, do so; otherwise contact Oracle Support.However, I have removed all the tables and indexes in this tablespace.
    Nothing found when I issued the following enquiries.
    select index_name from user_indexes where TABLESPACE_NAME = 'USERS';
    select table_name from user_tables where TABLESPACE_NAME = 'USERS';Is there anything I missed?
    Thanks in advance.

    999274 wrote:
    Could you please let me know how to purge recyclebin ?It's bad form to hijack someone else's thread for your own questions.
    As for your question
    =================================================
    Learning how to look things up in the documentation is time well spent investing in your career. To that end, you should drop everything else you are doing and do the following:
    Go to [url tahiti.oracle.com]tahiti.oracle.com.
    Locate the link for your Oracle product and version, and click on it.
    You are now at the entire documentation set for your selected Oracle product and version.
    <b><i><u>BOOKMARK THAT LOCATION</u></i></b>
    Spend a few minutes just getting familiar with what is available here. Take special note of the "books" and "search" tabs. Under the "books" tab (for 10.x) or the "Master Book List" link (for 11.x) you will find the complete documentation library.
    Spend a few minutes just getting familiar with what <b><i><u>kind</u></i></b> of documentation is available there by simply browsing the titles under the "Books" tab.
    Open the Reference Manual and spend a few minutes looking through the table of contents to get familiar with what <b><i><u>kind</u></i></b> of information is available there.
    Do the same with the SQL Reference Manual.
    Do the same with the Utilities manual.
    You don't have to read the above in depth. They are <b><i><u>reference</b></i></u> manuals. Just get familiar with <b><i><u>what</b></i></u> is there to <b><i><u>be</b></i></u> referenced. Ninety percent of the questions asked on this forum can be answered in less than 5 minutes by simply searching one of the above manuals.
    Then set yourself a plan to dig deeper.
    - Read a chapter a day from the Concepts Manual.
    - Take a look in your alert log. One of the first things listed at startup is the initialization parms with non-default values. Read up on each one of them (listed in your alert log) in the Reference Manual.
    - Take a look at your listener.ora, tnsnames.ora, and sqlnet.ora files. Go to the Network Administrators manual and read up on everything you see in those files.
    - When you have finished reading the Concepts Manual, do it again.
    Give a man a fish and he eats for a day. Teach a man to fish and he eats for a lifetime.
    =================================

  • Application batch job running got error ORA-03113

    Problem: when application batch job running, application system always receive this error: ORA-03113 and job stop.
    Application system: dynamic system AX
    ORACLE system: ORACLE 10.2.0.4.0
    The listener configuration setting is :
    INBOUND_CONNECT_TIMEOUT_LISTENER = 0
    SUBSCRIBE_FOR_NODE_DOWN_EVENT_LISTENER = OFF
    Whether this is the problem of listener setting? "INBOUND_CONNECT_TIMEOUT_LISTENER = 0" indicate 0 seconds or no limit?

    I only find the error message in the Client server (application server).
    below is some example of it.
    The database reported (session 56 (mtihz)): ORA-03114: not connected to ORACLE
    . The SQL statement was: "SELECT A.PURCHID,A.PURCHNAME,A.ORDERACCOUNT,A.INVOICEACCOUNT,A.FREIGHTZONE,A.EMAIL,A.DELIVERYDATE,A.DELIVERYTYPE,A.ADDRESSREFRECID,A.ADDRESSREFTABLEID,A.INTERCOMPANYORIGINALSALESID,A.INTERCOMPANYORIGINALCUSTACCO12,A.CURRENCYCODE,A.PAYMENT,A.CASHDISC,A.PURCHPLACER,A.INTERCOMPANYDIRECTDELIVERY,A.VENDGROUP,A.LINEDISC,A.DISCPERCENT,A.DIMENSION,A.DIMENSION2
    Object Server 01: The database reported (session 58 (zhlhz)): ORA-03113: end-of-file on communication channel
    . The SQL statement was: "SELECT A.SPECTABLEID,A.LINENUM,A.CODE,A.BALANCE01,A.REFTABLEID,A.REFRECID,A.SPECRECID,A.PAYMENT,A.PAYMENTSTATUS,A.ERRORCODEPAYMENT,A.FULLSETTLEMENT,A.CREATEDDATE,A.CREATEDTIME,A.RECVERSION,A.RECID FROM SPECTRANS A WHERE ((SUBSTR(NLS_LOWER(DATAAREAID),1,7)=NLS_LOWER(:in1)) AND ((REFTABLEID=:in2) AND (REFRECID=:in3)))"
    but when I use PL/SQL Developer to run the scripts. there is no problem.
    And we always met errors when application team run long time batch, about 20 - 30 minutes or even longer.
    When they run 5 or 10 minutes job, there is no error occur.

  • Creating relational view for an ODBC result set?

    Hello,
    I'm trying to create a view for the data available from the Siebel Analytics server (SAS) query's result set by executing pass through sql. SAS reads from files and multiple other databases to provide the result set.
    The query sent to pass has its own properitary syntax and is not SQL.
    ie, I'm trying to achieve something like this :
    create view analytics_wrapper_view as
    select * from
    <
    dbms_hs_passthrough('my custom sql understood by SAS')
    dbms_hs_passthrough.fetch_rows
    >
    Cant use a function selecting from dual as there could be several rows returned from this operation. If I retain it as a view, I can avoid data duplication. If this is not possible, a table approach could be considered.
    Any thoughts or inputs on this would be highly appreciated.

    On your server..
    - On the FCS server go to OSX Workgroup Manager.
    - Create a group and name it something cool
    - save and exit
    Final Cut Server Client...
    (Logged in as admin)
    - select Administration in the client.
    - Go to Group Permissions
    - click Create New Group and then select cool new group name
    and select BROWSER from the PERMISSION SET list
    - save and go back to OSX
    Back in OSX Workgroup Manager...
    - create users and assign them to your cool group
    DONE!

Maybe you are looking for

  • Error while running OA Framework (HelloWorld.jpr) in Jdeveloper 10g

    Hi all, I have a created sample HelloWorld Page thru Jdeveloper 10g with OA Extension on R12 Instance. I am running to following error when I run the page from Jdeveloper 10g. Can you please help me out in resolving this issue? I would really appreci

  • Unable to find details of certification scenario PP-DMS Document Management

    HI, I was trying to look for details of the PP-DMS scenario on this site SAP Integration and Certification Center (SAP ICC)–Integration Scenario - Interface Reference Table But it come up page not found error Can you some give the details of this sce

  • How to make the  column red in field catalog if its value is negetive

    i am displaying 25 columns in a field catalog , if the value of the cell is negative it should appear in red colour . for ex, mat.no      custno      value 1                10             10 <b>2                20             -10</b> 3               

  • Adobe Encore CS6 crashes when creating a new timeline

    Hello, So I've been using Encore for a while now, and recently just upgraded my system to OSX Mavericks. I understand that the compatibility of En is with OSX Lion but I had it working in Mountain Lion, and see no drastic OS changes that'd make the a

  • Can not connect to store flashes when i am not trying to connect

    I am working on my macbook pro, and i am away from a wireless connection, (I am not trying to connect to the itenes store). i am working away on my computer and iTunes icon starts bouncing in the doc, it says that it can not connect to the store beca