Error in .oci.GetQuery(conn, statement, ...) :    ORA-29400: data cartridge error ORA-24323: ????? ORA-06512: at "RQSYS.RQTABLEEVALIMPL", line 24 ORA-06512: at line 4

Hi,everyone,
            I had  installed  R Enterprise in my Oracle 11.2.0.1 base on win7,using the R 2.13.2, ORE 1.1,  I can using the part function: like
library(ORE)
options(STERM='iESS', str.dendrogram.last="'", editor='emacsclient.exe', show.error.locations=TRUE)
> ore.connect(user = "RQUSER",password = "RQUSERpsw",conn_string = "", all = TRUE)
> ore.is.connected()
[1] TRUE
> ore.ls()
[1] "IRIS_TABLE"
> demo(package = "ORE")
Demos in package 'ORE':
aggregate               Aggregation
analysis                Basic analysis & data processing operations
basic                   Basic connectivity to database
binning                 Binning logic
columnfns               Column functions
cor                     Correlation matrix
crosstab                Frequency cross tabulations
derived                 Handling of derived columns
distributions           Distribution, density, and quantile functions
do_eval                 Embedded R processing
freqanalysis            Frequency cross tabulations
graphics                Demonstrates visual analysis
group_apply             Embedded R processing by group
hypothesis              Hyphothesis testing functions
matrix                  Matrix related operations
nulls                   Handling of NULL in SQL vs. NA in R
push_pull               RDBMS <-> R data transfer
rank                    Attributed-based ranking of observations
reg                     Ordinary least squares linear regression
row_apply               Embedded R processing by row chunks
sql_like                Mapping of R to SQL commands
stepwise                Stepwise OLS linear regression
summary                 Summary functionality
table_apply             Embedded R processing of entire table
> demo("aggregate",package = "ORE")
  demo(aggregate)
  ---- ~~~~~~~~~
Type  <Return> to start : Return
> #
> #     O R A C L E  R  E N T E R P R I S E  S A M P L E   L I B R A R Y
> #
> #     Name: aggregate.R
> #     Description: Demonstrates aggregations
> #     See also summary.R
> #
> #
> #
>
> ## Set page width
> options(width = 80)
> # List all accessible tables and views in the Oracle database
> ore.ls()
[1] "IRIS_TABLE"
> # Create a new table called IRIS_TABLE in the Oracle database
> # using the built-in iris data.frame
>
> # First remove previously created IRIS_TABLE objects from the
> # global environment and the database
> if (exists("IRIS_TABLE", globalenv(), inherits = FALSE))
+     rm("IRIS_TABLE", envir = globalenv())
> ore.drop(table = "IRIS_TABLE")
> # Create the table
> ore.create(iris, table = "IRIS_TABLE")
> # Show the updated list of accessible table and views
> ore.ls()
[1] "IRIS_TABLE"
> # Display the class of IRIS_TABLE and where it can be found in
> # the search path
> class(IRIS_TABLE)
[1] "ore.frame"
attr(,"package")
[1] "OREbase"
> search()
[1] ".GlobalEnv"          "ore:RQUSER"          "ESSR"              
[4] "package:ORE"         "package:ORExml"      "package:OREeda"    
[7] "package:OREgraphics" "package:OREstats"    "package:MASS"      
[10] "package:OREbase"     "package:ROracle"     "package:DBI"       
[13] "package:stats"       "package:graphics"    "package:grDevices" 
[16] "package:utils"       "package:datasets"    "package:methods"   
[19] "Autoloads"           "package:base"      
> find("IRIS_TABLE")
[1] "ore:RQUSER"
> # Select count(Petal.Length) group by species
> x = aggregate(IRIS_TABLE$Petal.Length,
+               by = list(species = IRIS_TABLE$Species),
+               FUN = length)
> class(x)
[1] "ore.frame"
attr(,"package")
[1] "OREbase"
> x
     species  x
1     setosa 50
2 versicolor 50
3  virginica 50
> # Repeat FUN = summary, mean, min, max, sd, median, IQR
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = summary)
     species Min. 1st Qu. Median  Mean 3rd Qu. Max. NA's
1     setosa  1.0     1.4   1.50 1.462   1.575  1.9    0
2 versicolor  3.0     4.0   4.35 4.260   4.600  5.1    0
3  virginica  4.5     5.1   5.55 5.552   5.875  6.9    0
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = mean)
     species     x
1     setosa 1.462
2 versicolor 4.260
3  virginica 5.552
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = min)
     species   x
1     setosa 1.0
2 versicolor 3.0
3  virginica 4.5
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = max)
     species   x
1     setosa 1.9
2 versicolor 5.1
3  virginica 6.9
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = sd)
     species         x
1     setosa 0.1736640
2 versicolor 0.4699110
3  virginica 0.5518947
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = median)
     species    x
1     setosa 1.50
2 versicolor 4.35
3  virginica 5.55
> aggregate(IRIS_TABLE$Petal.Length, by = list(species = IRIS_TABLE$Species),
+           FUN = IQR)
     species     x
1     setosa 0.175
2 versicolor 0.600
3  virginica 0.775
> # More than one grouping column
> x = aggregate(IRIS_TABLE$Petal.Length,
+               by = list(species = IRIS_TABLE$Species,
+                         width = IRIS_TABLE$Petal.Width),
+               FUN = length)
> x
      species width  x
1      setosa   0.1  5
2      setosa   0.2 29
3      setosa   0.3  7
4      setosa   0.4  7
5      setosa   0.5  1
6      setosa   0.6  1
7  versicolor   1.0  7
8  versicolor   1.1  3
9  versicolor   1.2  5
10 versicolor   1.3 13
11 versicolor   1.4  7
12  virginica   1.4  1
13 versicolor   1.5 10
14  virginica   1.5  2
15 versicolor   1.6  3
16  virginica   1.6  1
17 versicolor   1.7  1
18  virginica   1.7  1
19 versicolor   1.8  1
20  virginica   1.8 11
21  virginica   1.9  5
22  virginica   2.0  6
23  virginica   2.1  6
24  virginica   2.2  3
25  virginica   2.3  8
26  virginica   2.4  3
27  virginica   2.5  3
> # Sort the result by ascending value of count
> ore.sort(data = x, by = "x")
      species width  x
1   virginica   1.4  1
2   virginica   1.7  1
3  versicolor   1.7  1
4   virginica   1.6  1
5      setosa   0.5  1
6      setosa   0.6  1
7  versicolor   1.8  1
8   virginica   1.5  2
9  versicolor   1.1  3
10  virginica   2.4  3
11  virginica   2.5  3
12  virginica   2.2  3
13 versicolor   1.6  3
14     setosa   0.1  5
15  virginica   1.9  5
16 versicolor   1.2  5
17  virginica   2.0  6
18  virginica   2.1  6
19     setosa   0.3  7
20 versicolor   1.4  7
21     setosa   0.4  7
22 versicolor   1.0  7
23  virginica   2.3  8
24 versicolor   1.5 10
25  virginica   1.8 11
26 versicolor   1.3 13
27     setosa   0.2 29
> # by descending value
> ore.sort(data = x, by = "x", reverse = TRUE)
      species width  x
1      setosa   0.2 29
2  versicolor   1.3 13
3   virginica   1.8 11
4  versicolor   1.5 10
5   virginica   2.3  8
6      setosa   0.4  7
7      setosa   0.3  7
8  versicolor   1.0  7
9  versicolor   1.4  7
10  virginica   2.1  6
11  virginica   2.0  6
12  virginica   1.9  5
13 versicolor   1.2  5
14     setosa   0.1  5
15 versicolor   1.6  3
16 versicolor   1.1  3
17  virginica   2.4  3
18  virginica   2.5  3
19  virginica   2.2  3
20  virginica   1.5  2
21  virginica   1.6  1
22  virginica   1.4  1
23     setosa   0.6  1
24     setosa   0.5  1
25 versicolor   1.8  1
26  virginica   1.7  1
27 versicolor   1.7  1
> # Preserve just 1 row for duplicate x's
> ore.sort(data = x, by = "x", unique.keys = TRUE)
      species width  x
1      setosa   0.5  1
2   virginica   1.5  2
3  versicolor   1.1  3
4      setosa   0.1  5
5   virginica   2.0  6
6      setosa   0.3  7
7   virginica   2.3  8
8  versicolor   1.5 10
9   virginica   1.8 11
10 versicolor   1.3 13
11     setosa   0.2 29
> ore.sort(data = x, by = "x", unique.keys = TRUE, unique.data = TRUE)
      species width  x
1      setosa   0.5  1
2   virginica   1.5  2
3  versicolor   1.1  3
4      setosa   0.1  5
5   virginica   2.0  6
6      setosa   0.3  7
7   virginica   2.3  8
8  versicolor   1.5 10
9   virginica   1.8 11
10 versicolor   1.3 13
11     setosa   0.2 29
but    when I  use the following The ore.doEval command  get the errors,
> ore.doEval(function() { 123 })
Error in .oci.GetQuery(conn, statement, ...) :
  ORA-29400: data cartridge error
ORA-24323: ?????
ORA-06512: at "RQSYS.RQEVALIMPL", line 23
ORA-06512: at line 4
and  I  try to run the        demo("row_apply", package="ORE")  get the  same errors:
demo("row_apply",package = "ORE")
  demo(row_apply)
  ---- ~~~~~~~~~
Type  <Return> to start : Return
> #
> #     O R A C L E  R  E N T E R P R I S E  S A M P L E   L I B R A R Y
> #
> #     Name: row_apply.R
> #     Description: Execute R code on each row
> #
> #
>
> ## Set page width
> options(width = 80)
> # List all accessible tables and views in the Oracle database
> ore.ls()
[1] "IRIS_TABLE"
> # Create a new table called IRIS_TABLE in the Oracle database
> # using the built-in iris data.frame
>
> # First remove previously created IRIS_TABLE objects from the
> # global environment and the database
> if (exists("IRIS_TABLE", globalenv(), inherits = FALSE))
+     rm("IRIS_TABLE", envir = globalenv())
> ore.drop(table = "IRIS_TABLE")
> # Create the table
> ore.create(iris, table = "IRIS_TABLE")
> # Show the updated list of accessible table and views
> ore.ls()
[1] "IRIS_TABLE"
> # Display the class of IRIS_TABLE and where it can be found in
> # the search path
> class(IRIS_TABLE)
[1] "ore.frame"
attr(,"package")
[1] "OREbase"
> search()
[1] ".GlobalEnv"          "ore:RQUSER"          "ESSR"              
[4] "package:ORE"         "package:ORExml"      "package:OREeda"    
[7] "package:OREgraphics" "package:OREstats"    "package:MASS"      
[10] "package:OREbase"     "package:ROracle"     "package:DBI"       
[13] "package:stats"       "package:graphics"    "package:grDevices" 
[16] "package:utils"       "package:datasets"    "package:methods"   
[19] "Autoloads"           "package:base"      
> find("IRIS_TABLE")
[1] "ore:RQUSER"
> # The table should now appear in your R environment automatically
> # since you have access to the table now
> ore.ls()
[1] "IRIS_TABLE"
> # This is a database resident table with just metadata on the R side.
> # You will see this below
> class(IRIS_TABLE)
[1] "ore.frame"
attr(,"package")
[1] "OREbase"
> # Apply given R function to each row
> ore.rowApply(IRIS_TABLE,
+              function(dat) {
+                  # Any R code goes here. Operates on one row of IRIS_TABLE at
+                  # a time
+                  cbind(dat, dat$Petal.Length)
+              })
Error in .oci.GetQuery(conn, statement, ...) :
  ORA-29400: data cartridge error
ORA-24323: ?????
ORA-06512: at "RQSYS.RQROWEVALIMPL", line 26
ORA-06512: at line 4
>
whether my oracle's version 11.2.0.1 has no the RDBMS bug fix, and other  problems? Thanks

Oracle R Enterprise 1.1. requires Oracle Database 11.2.0.3, 11.2.0.4. On Linux and Windows.  Oracle R Enterprise can also work with an 11.2.0.1 or 11.2.0.2 database if it is properly patched.
Embedded R execution will not work without a patched database.  Follow this procedure to patch the database:
1. Go to My Oracle Support:http://support.oracle.com
2. Log in and supply your Customer Support ID (CSI).
3. Choose the Patches & Updates tab.
4. In the Patch Search box, type 11678127
and click Search
5. Select the patch for your version of Oracle Database, 11.2.0.1.
6. Click Download to download the patch.
7. Install the patch using OPatch. Ensure that you are using the latest version of OPatch.
Sherry

Similar Messages

  • ORA-29400: data cartridge error/IMG-00703: unable to read image data error

    Oracle Database 10g Enterprise Edition Release 10.2.0.2.0
    ORA-29400: data cartridge error
    IMG-00703: unable to read image data
    ORA-06512: at "ORDSYS.ORDIMERRORCODES", line 75
    ORA-06512: at "ORDSYS.ORDIMERRORCODES", line 65
    ORA-06512: at "ORDSYS.ORDIMG_PKG", line 37
    ORA-06512: at "ORDSYS.ORDIMAGE", line 927
    is raised when the following trigger is processing certain JPGs (example). Other JPGs are handled as expected:
    create or replace trigger photo_size_trg
    before insert or update on photos
    for each row
    declare
      photo_width integer;
    begin
      -- Check to see if the new photograph is different from the old one...      --
      if dbms_lob.compare(:old.photo, :new.photo) != 0
      then
        -- ...if so, check to see if it's wider than the desired 250 pixel        --
        -- maximum...                                                             --
        photo_width := to_number(ordImage.getMetadata(:new.photo)(1).extract('/ordImageAttributes/width/text()').getStringVal());
        if photo_width > 250
        then
          -- ...and if so, apply an image transform that will resize to the photo --
          -- to a maximum of 250 pixels wide, keeping the original aspect ratio.  --
          -- There doesn't seem to be an elegant way of specifying a constraint   --
          -- in one dimension like this, so the height is specifed as a large     --
          -- enough value to cover all practical contingencies.                   --
          ordImage.process(:new.photo, 'maxScale=250 10000');
        end if;
      end if;
    end;Any thoughts/suggestions?

    hi,
    I am getting following error,kindly help me out to rectify this ..
    thank you
    ORA-29400: data cartridge error
    ORA-00600: internal error code, arguments: [kokbCollTerminate], [13], [], [], [], [], [], []

  • Error -29400ORA-29400: data cartridge error IMG-00714: internal error

    Hi,
    I have a table with a blob column containing images, not
    intermedia column.
    I am using intermedia process method to change some images,
    change maxScale and compression.
    I get this error when I try to change certain images
    -29400ORA-29400: data cartridge error
    IMG-00714: internal error
    Does anyone know why?
    P.S. how do you do an explict close of ORDSYS variable
    after initializing?
    Thank you
    David Wilton
    This is my testing procedure:
    PROCEDURE change_image (P_SCANNED_IMAGES_REC IN NUMBER) IS
    v_intermed_image ORDSYS.ORDImage := ORDSYS.ORDImage.init();
    BEGIN
    select image_data
    into v_intermed_image.source.localdata
    from obra.scanned_images
    where scanned_images_rec = p_scanned_images_rec
    for update;
    v_intermed_image.process('compressionFormat=FAX4,maxScale=1696
    2200');
    update obra.scanned_images
    set image_data = v_intermed_image.source.localdata
    where scanned_images_rec = p_scanned_images_rec;
    commit;
    exception
    when others then
    dbms_output.put_line('An exception occurred');
    dbms_output.put_line(sqlcode || sqlerrm);
    END;

    David,
    I suspect you'll need to supply a TIFF image for the interMedia
    engineers to experiment on. The error message you received is
    essentially a "last chance" error message and isn't specific
    enough for diagnosis of your problem.
    Cheers
    ..Dan

  • Data cartridge error

    after I generate signature for every image insert into the database, I directly retrive them and compare them , but I got exception like:
    exception raised java.sql.SQLException: ORA-29400: data cartridge error
    IMG-00923: Signature is empty
    ORA-06512: at "ORDSYS.ORDIMAGESIGNATURE", line 5
    ORA-06512: at line 1
    Image matching score computation failed
    Done.
    my source code like:
    try
    { // try
         // contains OrdImageSignature object
    Statement stmt = con.createStatement();
    OracleResultSet get_sig_result1= (OracleResultSet) stmt.executeQuery("select signature from photos where id =" + 9);
    get_sig_result1.next();
    OrdImageSignature img_sig1 = (OrdImageSignature)get_sig_result1.getCustomDatum(1,OrdImageSignature.getFactory());
    OracleResultSet get_sig_result2= (OracleResultSet) stmt.executeQuery("select signature from photos where id =" + 10);
    get_sig_result2.next();
    OrdImageSignature img_sig2 = (OrdImageSignature)get_sig_result2.getCustomDatum(1,OrdImageSignature.getFactory());
    float gscore
    = OrdImageSignature.evaluateScore
    ( img_sig1, img_sig2, "color=1" );
    System.out.println("score value (global color comparison):" + gscore);
    float lscore
    = OrdImageSignature.evaluateScore
    ( img_sig1, img_sig2, "color=1 location=1" );
    System.out.println("Score value (local color comparison):" + lscore);
    get_sig_result2.close();
    get_sig_result1.close();
    stmt.close();
    } // try
    catch(Exception e)
    { // catch
    System.out.println("exception raised " + e);
    System.out.println("Image matching score computation failed");
    } // catch (Exception e)

    I just want to make my question clear, so I put my code to create signature here:
    //initialization
    stmt = (OraclePreparedStatement)conn.prepareStatement(
    "insert into photos ( id , description , sequence ,image, thumb, signature ) " +
    " values (?,?,?,ORDSYS.ORDImage.init(),ORDSYS.ORDImage.init(),ORDSYS.ORDImageSignature.init())" );
    stmt = (OraclePreparedStatement)conn.prepareStatement(
    "select image ,thumb ,signature from photos where id = ? for update" );
    stmt.setString( 1, id );
    rset = (OracleResultSet)stmt.executeQuery();
    if ( !rset.next() )
    throw new ServletException( "new row not found in table" );
    OrdImage image =
    (OrdImage)rset.getCustomDatum( 1, OrdImage.getFactory());
    OrdImage thumb =
    (OrdImage)rset.getCustomDatum( 2, OrdImage.getFactory());
    OrdImageSignature signature =
    (OrdImageSignature)rset.getCustomDatum(3,OrdImageSignature.getFactory());
    //after load photo to image, generate image, thumb and signature
    try
    image.processCopy( "maxScale=50,50", thumb );
    catch ( SQLException e )
    thumb.deleteContent();
    thumb.setContentLength( 0 );
    System.out.println("after processCopy to make the thumb");
    try{
                   image.setProperties();
                   image.importData(ctx);
                   signature.generateSignature(image);
              catch(Exception e)
              { // catch
              System.out.println("exception raised " + e);
              System.out.println("image signature generation failed");
    } // catch
    //then , save into database
    stmt = (OraclePreparedStatement)conn.prepareStatement(
    "update photos set image = ? where id = ? " );
    stmt.setCustomDatum( 1, image );
    stmt.setString( 2, id );
    stmt.execute();
    stmt.close();
    System.out.println("after update image");
    stmt = (OraclePreparedStatement)conn.prepareStatement(
    "update photos set thumb = ? where id = ? " );
    stmt.setCustomDatum( 1, thumb);
    stmt.setString( 2, id );
    stmt.execute();
    stmt.close();
    System.out.println("after update thumb");
    stmt = (OraclePreparedStatement)conn.prepareCall(
                   "update photos set signature = ? where id =? ");
         stmt.setCustomDatum(1,signature);
         stmt.setString( 2, id );
              stmt.execute();
              stmt.close() ;
    System.out.println("after update signature");
    //then, go back to my last post to retrive signature and compare. I got the errors.
    can anyone help me? thanks.

  • Data Cartridge error / IMG-00599

    Hi, I have the following code:
    create or replace function QBEFileSearch(url varchar2, filename varchar2) return imagelist is
    compare_sig ORDSYS.ORDImageSignature;
    seedimage ordsys.ordimage;
    seedimagesig ordsys.ordimagesignature;
    ctx RAW(4000) := null;
    weights varchar2(64) := 'color="0,33" texture="0,33" shape="0,33" location="0,0"';
    treshhold number;
    imagenumber number;
    ilist imagelist := imagelist(100);
    counter integer := 1;
    cursor getimages is
    select inumber from tbl_images b
    WHERE ORDSYS.IMGSimilar(b.signature, seedimagesig, weights, treshhold)=1;
    BEGIN
    seedimage := ordsys.ordimage.init('HTTP', url, filename);
    seedimagesig := ordsys.ordimagesignature.init();
    seedimagesig.generatesignature(seedimage);
    treshhold := 50;
    open getimages;
    loop
    fetch getimages into imagenumber;
    exit when getimages%NOTFOUND;
    ilist.extend;
    ilist(counter):= imagenumber;
    counter := counter +1;
    end loop;
    return (ilist);
    end QBEFileSearch;
    But I get the error message (Translated from Norwegian):
    ERROR at line 1:
    ORA-29400: Data Cartidge Error
    IMG-00599: Internal Error
    ORA-06512: at "ORDSYS.ORDIMGSIG_PKG", line 0
    ORA-06512: at "ORDSYS.ORDIMAGESIGNATURE", line 90
    ORA-06512: at "I0065.QBEFILESEARCH", line 22
    ORA-06512: at line 5
    when I try to execute it with the following code:
    declare
    results imagelist := imagelist();
    begin
    results := QBEFileSearch('laserlasse.no/bilder/', 'vcss.gif');
    end;
    Any Ideas?

    See my reply to your previous post....

  • Oracle Data Cartridge Error

    I was trying to develop a data cartridge. I tried the sample code Power Demand Cartridge Example (chapter 11)given in Oracle Documentation "Oracle 8i Data Cartridge Developer's Guide Release 2 (8.1.6)". All objects, indextypes, tables and indexes were successfully created. When I issue the select statement it gives the following error.
    ERROR at line 1:
    ORA-29902: error in executing ODCIIndexStart() routine
    Oracle Documentation for ORA-29902 say only this much. "Examine the error messages produced by the index type code and take appropriate action.".
    The problem here is that Oracle is unable to invoke the module ODCIIndexStart(). I am unable to find out where the error lies. If anybody knows please help.
    Mohan

    The select statement used for testing the index is
    POWERCARTUSER> SELECT P.Region, P.Sample.TotGridDemand ,P.Sample.MaxCellDemand, P.Sample.MinCellDemand FROM PowerDemand_Tab P WHERE Power_Equals(P.Sample,2,8) = 1;
    SELECT P.Region, P.Sample.TotGridDemand ,P.Sample.MaxCellDemand, P.Sample.MinCellDemand FROM PowerD
    ERROR at line 1:
    ORA-29902: error in executing ODCIIndexStart() routine

  • Error 8 when starting the extracting the program-data load error:status 51

    Dear all,
    <b>I am facing a data exracton problem while extracting data from SAP source system (Development Client 220). </b>The scenario and related setting are as the flowings:
    A. Setting:
    We have created 2 source system one for the development and another for the quality in BW development client
    1. BW server: SAP NetWeaver 2004s BI 7
    PI_BASIS: 2005_1_700 Level: 12
    SAP_BW: 700 Level:13
    Source system (Development Client 220)
    2. SAP ERP: SAP ERP Central Component 6.0
    PI_BASIS: 2005_1_700 Level: 12
    OS: SunOS
    Source system (Quality Client 300)
    2. SAP ERP: SAP ERP Central Component 6.0
    PI_BASIS: 2005_1_700 Level: 12
    OS: HP-UX
    B. The scenario:
    I was abele to load the Info provider from the Source system (Development Client 220), late we create another Source system (Quality Client 300) and abele to load the Info provider from that,
    After creating the another Source system (Quality Client 300), initially I abele to load the info provider from both the Source system – , but now I am unable to load the Info provider from the (Development Client 220),
    Source system Creation:
    For both 220 and 300, back ground user in source system is same with system type with same authorization (sap_all, sap_new, S_BI-WX_RFC) And user for source system to bw connection is dialog type (S_BI-WX_RFC, S_BI-WHM_RFC, SAP_ALL, SAP_NEW)
    1: Now while at the Info Package : Start data load immediately and then get the
    e-mail sent by user RFCUSER, and the content:
    Error message from the source system
    Diagnosis
    An error occurred in the source system.
    System Response
    Caller 09 contains an error message.
    Further analysis:
    The error occurred in Service API .
    2:Error in the detail tab of the call monitor as under,
    <b>bi data upload error:status 51 - error: Error 8 when starting the extracting the program </b>
    Extraction (messages): Errors occurred
      Error occurred in the data selection
    Transfer (IDocs and TRFC): Errors occurred
    Request IDoc : Application document not posted (red)
      bw side: status 03: "IDoc: 0000000000007088 Status: Data passed to port OK,
                                    IDoc sent to SAP system or external program"
      r<b>/3 side: status 51:  IDoc: 0000000000012140 Status: Application document not posted
                                   Error 8 when starting the extraction program</b>
    Info IDoc 1 : Application document posted (green)
       r/3 side: "IDoc: 0000000000012141 Status: Data passed to port OK
                     IDoc sent to SAP system or external program"
       bw side: "IDoc: 0000000000007089 Status: Application document posted,
                     IDoc was successfully transferred to the monitor updating"
    Have attached screen shots showing error at BW side.
    •     check connection is ok, tried to restore the setting for bw-r3 connection – though same problem
    •     Have checked partner profile.
    <b>what's wrong with the process? </b>
    Best regards,
    dushyant.

    Hi,
       Refer note 140147.
    Regards,
    Meiy

  • " Server Error [2009]: Failed to allocate resources for results data" IR Error

    Hi,
    We recently moved form 9.3.3. to 11.1.2.3 and we run only IR and SQR reports. When we run few IR reports we get the below error.
    "Script(x):uncaught exception:  Server Error [2009]: Failed to allocate resources for results data."
    Any thought on what could be the cause. I changed the DSA setting, HTTP config settings for timeouts. I followed a oracle Knowledge base document to make sure I'm setting the right parameters still it doesn't work.
    Any advise will be appreciated.
    Thank you.

    Hi,
    Can you please try to increase the timeout settings for workspace and check the issue.
    You can refer following KM article for more information :
    Hyperion Interactive Reporting (IR) When Processing a BQY in Web Client and iHTML Error: "Server Error [2009] Failed To Allocate Resources To Results Data" [ID 1089121.1]
    To try in 11.1.2.x check these settings in workspace :
    Please go to Navigate -> Administer -> Reporting and Analysis -> Web Applications -> Right click on RA_FRAMEWORK_LWA and select Properties. A
    Window pops up. In that, go to Applications tab and then go to Data Access Servlet. There are two values there
    i) Hyperion Intelligence Client Polling Time(seconds) => Set this to zero
    ii) DAS Response Timeout => Set this to 3600
    Restart the R&A services and WebApp after this change.
    Hope this information helps.
    regards,
    Harish.

  • I have an error when opening iTunes - message states APS Daemon.exe- system error and then states program can't start as MSVCR8.d11 is missing

    Will I lose my stored tunes and what do I need to do

    Click here and follow the instructions. You may need to completely remove and reinstall iTunes and all related components, or run the process multiple times; this won't normally affect its library, but that should be backed up anyway.
    (100127)

  • Errors: ORA-29913 ORA-29400 KUP-03154, when executing SEM_APIS.LOAD_INTO_STAGING_TABLE

    Hi all,
    I use Oracle 12c Spatial and Graph and I need to load a N-QUAD file with large literals.
    To do so I first create a directory and a source external table
    SQL> CREATE DIRECTORY DATA_DIR AS '/tmp';
    SQL> EXECUTE sem_apis.create_source_external_table(source_table => 'STAGE_TABLE_SOURCE', def_directory => 'DATA_DIR', bad_file => 'CLOBrows.bad');
    SQL> ALTER TABLE "STAGE_TABLE_SOURCE" LOCATION ('data.nq');
    then I change the READSIZE parameter of the external table (because the literals of the file are more than 512KB).
    SQL> ALTER TABLE STAGE_TABLE_SOURCE DEFAULT DIRECTORY DATA_DIR ACCESS PARAMETERS (READSIZE 1048576);
    the I try to load data into the staging table
    SQL> EXECUTE SEM_APIS.LOAD_INTO_STAGING_TABLE(staging_table => 'STAGE_TABLE', source_table  => 'STAGE_TABLE_SOURCE', input_format  => 'N-QUAD');
    but I get the following error:
    ERROR at line 1:
    ORA-13199: During LST: SQLERRM=ORA-29913: error in executing ODCIEXTTABLEOPEN
    callout
    ORA-29400: data cartridge error
    KUP-03154: kudmxo-03:invalid_dump_header
    (Arguments:  staging_table=STAGE_TABLE source_table=STAGE_TABLE_SOURCE
    input_format=N-QUAD parallel= source_table_owner= staging_table_owner= flags=)
    [ORA-06512: at "MDSYS.SDO_RDF", line 884
    ORA-06512: at "MDSYS.MD", line 1723
    ORA-06512: at "MDSYS.MDERR", line 17
    ORA-06512: at "MDSYS.SDO_RDF", line 906
    ORA-06512: at "MDSYS.RDF_APIS", line 883
    ORA-06512: at line 1
    I could not find any information about error KUP-03154.
    Any hint about how to solve this problem will be very appreciated.

    Yes all privileges and permissions seem to be OK.
    To be more specific, the linux user (oracle) that executes sqlpls has both read and write permissions both on data directory and the input N-QUAD file.
    The SQL user is the owner of the directory object and it has also been granted the SELECT privilege on external table and SELECT, UPDATE on staging table.
    I think that the problem is something about the external table and the large literals of my input file (e.g., a literal consists 658KB). Because after changing the location of the external table to this file, even a simple query like counting its tuples causes the same error. On the other hand if I use a file with smaller literals everything works fine.
    Best regards

  • ORA-29913 & ORA-29400

    I am running the package "Load Sales Administration" and hitting the below error message.
    2014-01-21 14:31:21.615 WARNING SQLCommand execution failure: ORA-29913: error in executing ODCIEXTTABLEOPEN callout
    ORA-29400: data cartridge error
    error opening file ../../demo/file/SRC_AGE_GROUP.txt_000.log
    I checked the permissions on the file SRC_AGE_GROUP and it is set to "Read and Write". Please let me know how to oversome this error and run the package succesfully.

    Hi,
    There is something to do with the external table that is referring to the file that is used to load data.
    In your package check the definition of the external table, whether the files are kept in the correct oracle directory or not.
    Also if you are maintaining a cluster server kind of environment , check that the file is present in both the location to which the oracle directory refers to in the definition of your external table.
    hope this helps you to solve your problem.

  • AUD-00706 and ORA-29400 when inserting an MP3 file

    I can't seem to be able to load any MP3 files. I keep getting the following errors:
    ORA-06510: PL/SQL: unhandled user-defined exception
    ORA-06512: at "ORDSYS.ORDAUDIO", line 1100
    ORA-29400: data cartridge error
    AUD-00706: unsupported or corrupted input format
    ORA-06512: at "ORDSYS.ORDAUDIO", line 1058
    ORA-06512: at line 11
    I read somewhere that Oracle did confirm this as a problem and that it was fixed on Oracle9i Release 2, however I'm running 9.2.0.6.0. I'm using PL/SQL to load the file. WAV files work just fine.
    Has anyone run into this problem? If so I would really appreciate your help.
    Thanks!
    -Alan

    This should work.
    Can you send me a MP3 that causes this exception? (Lawrence.Guros at oracle.com)
    Larry

  • ORA-29400 and ORA-00600

    I registered the following schema:
    xs:schema targetNamespace="http://www.imsglobal.org/ims_qtiasiv1p2.xsd" xmlns="http://www.imsglobal.org/ims_qtiasiv1p2.xsd" xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:x="http://www.w3.org/XML/1998/namespace" elementFormDefault="qualified" version="QTIASI1.2">
    <!-- ****************** -->
         <!-- ** Root Element ** -->
         <!-- ****************** -->
         <xs:element name="questestinterop" type="questestinteropType"/>
         <!-- ************************** -->
         <!-- ** Element Declarations ** -->
         <!-- ************************** -->
         <xs:element name="assessment" type="assessmentType"/>
    <xs:element name="flow" type="flowType"/>
         <xs:element name="flow_mat" type="flow_matType"/>
         <xs:element name="item" type="itemType"/>
    <xs:element name="material" type="materialType"/>
         <xs:element name="mattext" type="mattextType"/>
    <xs:element name="presentation" type="presentationType"/>
         <xs:element name="qticomment" type="qticommentType"/>
         <xs:element name="render_choice" type="render_choiceType"/>
    <xs:element name="response_lid" type="response_lidType"/>
    <xs:element name="response_labelType" type="response_labelType"/>
    <xs:element name="section" type="sectionType"/>
    <!-- **************** -->
         <!-- ** assessment ** -->
         <!-- **************** -->
         <xs:complexType name="assessmentType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:element name="section" type="sectionType"/>
              </xs:sequence>
              <xs:attribute name="ident" type="xs:string" use="required"/>
              <xs:attribute name="title" type="xs:string"/>
         </xs:complexType>
    <!-- ********** -->
         <!-- ** flow ** -->
         <!-- ********** -->
         <xs:complexType name="flowType">
              <xs:choice maxOccurs="unbounded">
                   <xs:element name="flow" type="flowType"/>
                   <xs:element name="material" type="materialType"/>
                   <xs:element name="response_lid" type="response_lidType"/>
              </xs:choice>
              <xs:attribute name="class" type="xs:string" default="Block"/>
         </xs:complexType>
         <!-- ************** -->
         <!-- ** flow_mat ** -->
         <!-- ************** -->
         <xs:complexType name="flow_matType">
              <xs:choice maxOccurs="unbounded">
                   <xs:element name="flow_mat" type="flow_matType"/>
                   <xs:element name="material" type="materialType"/>
              </xs:choice>
              <xs:attribute name="class" type="xs:string" default="Block"/>
         </xs:complexType>
         <!-- ********** -->
         <!-- ** item ** -->
         <!-- ********** -->
         <xs:complexType name="itemType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:element name="presentation" type="presentationType" minOccurs="0"/>               
              </xs:sequence>
              <xs:attribute name="maxattempts" type="xs:string"/>
              <xs:attribute name="label" type="xs:string"/>
              <xs:attribute name="ident" type="xs:string" use="required"/>
              <xs:attribute name="title" type="xs:string"/>
         </xs:complexType>
    <!-- ************** -->
         <!-- ** material ** -->
         <!-- ************** -->
         <xs:complexType name="materialType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:choice maxOccurs="unbounded">
                        <xs:element name="mattext" type="mattextType"/>
                   </xs:choice>
              </xs:sequence>
              <xs:attribute name="label" type="xs:string"/>
         </xs:complexType>
         <!-- ************* -->
         <!-- ** mattext ** -->
         <!-- ************* -->
         <xs:complexType name="mattextType">
              <xs:simpleContent>
                   <xs:extension base="xs:string">
                        <xs:attribute name="texttype" type="xs:string" default="text/plain"/>
                        <xs:attribute name="label" type="xs:string"/>
                        <xs:attribute name="charset" type="xs:string" default="ascii-us"/>
                        <xs:attribute name="uri" type="xs:string"/>
                        <xs:attribute name="entityref" type="xs:ENTITY"/>
                        <xs:attribute name="width" type="xs:string"/>
                        <xs:attribute name="height" type="xs:string"/>
                        <xs:attribute name="y0" type="xs:string"/>
                        <xs:attribute name="x0" type="xs:string"/>
                   </xs:extension>
              </xs:simpleContent>
         </xs:complexType>
         <!-- ****************** -->
         <!-- ** presentation ** -->
         <!-- ****************** -->
         <xs:complexType name="presentationType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:choice>
                        <xs:element name="flow" type="flowType"/>
                        <xs:choice maxOccurs="unbounded">
                             <xs:element name="material" type="materialType"/>
                             <xs:element name="response_lid" type="response_lidType"/>
                        </xs:choice>
                   </xs:choice>
              </xs:sequence>
              <xs:attribute name="label" type="xs:string"/>
              <xs:attribute name="y0" type="xs:string"/>
              <xs:attribute name="x0" type="xs:string"/>
              <xs:attribute name="width" type="xs:string"/>
              <xs:attribute name="height" type="xs:string"/>
         </xs:complexType>
    <!-- **************** -->
         <!-- ** qticomment ** -->
         <!-- **************** -->
         <xs:complexType name="qticommentType">
              <xs:simpleContent>
                   <xs:extension base="xs:string"/>
              </xs:simpleContent>
         </xs:complexType>
         <!-- ********************* -->
         <!-- ** questestinterop ** -->
         <!-- ********************* -->
         <xs:complexType name="questestinteropType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:choice>
                        <xs:element name="assessment" type="assessmentType"/>
                        <xs:choice maxOccurs="unbounded">
                             <xs:element name="section" type="sectionType"/>
                             <xs:element name="item" type="itemType"/>
                        </xs:choice>
                   </xs:choice>
              </xs:sequence>
         </xs:complexType>
         <!-- ******************* -->
         <!-- ** render_choice ** -->
         <!-- ******************* -->
         <xs:complexType name="render_choiceType">
              <xs:sequence>
                   <xs:choice minOccurs="0" maxOccurs="unbounded">
                        <xs:element name="material" type="materialType"/>
                        <xs:element name="response_label" type="response_labelType"/>
                   </xs:choice>
              </xs:sequence>
              <xs:attribute name="shuffle" default="No">
                   <xs:simpleType>
                        <xs:restriction base="xs:NMTOKEN">
                             <xs:enumeration value="Yes"/>
                             <xs:enumeration value="No"/>
                        </xs:restriction>
                   </xs:simpleType>
              </xs:attribute>
              <xs:attribute name="minnumber" type="xs:string"/>
              <xs:attribute name="maxnumber" type="xs:string"/>
         </xs:complexType>
    <!-- ************************ -->
         <!-- ** response_lableType ** -->
         <!-- ************************ -->
         <xs:complexType name="response_labelType" mixed="true">
              <xs:choice minOccurs="0" maxOccurs="unbounded">
                   <xs:element name="qticomment" type="qticommentType"/>
                   <xs:element name="material" type="materialType"/>
                   <xs:element name="flow_mat" type="flow_matType"/>
              </xs:choice>
              <xs:attribute name="rshuffle" default="Yes">
                   <xs:simpleType>
                        <xs:restriction base="xs:NMTOKEN">
                             <xs:enumeration value="Yes"/>
                             <xs:enumeration value="No"/>
                        </xs:restriction>
                   </xs:simpleType>
              </xs:attribute>
              <xs:attribute name="labelrefid" type="xs:string"/>
              <xs:attribute name="ident" type="xs:string" use="required"/>
         </xs:complexType>
         <!-- ****************** -->
         <!-- ** response_lid ** -->
         <!-- ****************** -->
         <xs:complexType name="response_lidType">
              <xs:sequence>
                   <xs:choice minOccurs="0">
                        <xs:element name="material" type="materialType"/>
                   </xs:choice>
                   <xs:choice>
                        <xs:element name="render_choice" type="render_choiceType"/>
                   </xs:choice>
                   <xs:choice minOccurs="0">
                        <xs:element name="material" type="materialType"/>
                   </xs:choice>
              </xs:sequence>
              <xs:attribute name="ident" type="xs:string" use="required"/>
         </xs:complexType>
    <!-- ************* -->
         <!-- ** section ** -->
         <!-- ************* -->
         <xs:complexType name="sectionType">
              <xs:sequence>
                   <xs:element name="qticomment" type="qticommentType" minOccurs="0"/>
                   <xs:choice minOccurs="0" maxOccurs="unbounded">
                        <xs:element name="item" type="itemType"/>
                        <xs:element name="section" type="sectionType"/>
                   </xs:choice>
              </xs:sequence>
              <xs:attribute name="ident" type="xs:string" use="required"/>
              <xs:attribute name="title" type="xs:string"/>
         </xs:complexType>
    </xs:schema>     
    Then I created a table of XMLTYPE based on this schema, then I inserted the following xml file:
    <questestinterop xmlns="http://www.imsglobal.org/ims_qtiasiv1p2.xsd" xmlns:xsi="
    http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.imsglo
    bal.org/ims_qtiasiv1p2.xsd http://www.imsglobal.org/ims_qtiasiv1p2.xsd">
    <assessment title="European Geography" ident="A01">
    <qticomment>A Complex Assessment example.</qticomment>
    <section title="European Capitals" ident="S01">
    <item title="Capital of France" ident="I01" maxattempts="6">
    <qticomment>This Item is the first example to be used in the QTI XML Bin
    ding Base Document.</qticomment>
    <presentation label="Resp001">
    <flow>
    <material>
    <mattext>What is the Capital of France ?</mattext>
    </material>
    <response_lid ident="LID01">
    <render_choice shuffle="Yes">
    <response_label ident="LID01_A">
    <flow_mat>
    <material>
    <mattext>London</mattext>
    </material>
    </flow_mat>
    </response_label>
    <response_label ident="LID01_B">
    <flow_mat>
    <material>
    <mattext>Paris</mattext>
    </material>
    </flow_mat>
    </response_label>
    </render_choice>
    </response_lid>
    </flow>
    </presentation>
    </item>
    </section>
    </assessment>
    </questestinterop>
    It returned the correct result when I did:
    SQL> select extract(value(x), '/questestinterop/assessment/section/item/presentation/flow')
    from XML_TEST x;
    But I got the following error when I tried:
    SQL> select extract(value(x), '/questestinterop/assessment/section/item/presentation/flow/material')
    from XML_TEST x;
    ERROR:
    ORA-29400: data cartridge error
    ORA-00600: internal error code, arguments: [invalid_mem_type], [0], [], [], [],
    Thank you for help.

    Thanks for the information.
    I checked oracle9i download page, it seems that there is no release 9.2.0.2.0 available for Windows NT/2000/XP. (I am on WinXP). Is there anywhere else I can check to upgrade database?
    By the way, here is another problem I got with the same schema and same xml file.
    It return the correct result when I did
    SQL> select extractValue(value(t), '/qticomment')
    2 from XML_TEST x,
    3 TABLE (xmlsequence (extract(value(x), '/questestinterop/assessment/qticomment'))
    4 )t;
    EXTRACTVALUE(VALUE(T),'/QTICOMMENT')
    A Complex Assessment example.
    I got empty return result, when I tried
    SQL> set feedback on
    SQL> select extractValue(value(t), '/qticomment')
    2 from XML_TEST x,
    3 TABLE (xmlsequence (extract(value(x), '/questestinterop/assessment/section/item/qticomment'))
    4 )t;
    EXTRACTVALUE(VALUE(T),'/QTICOMMENT')
    1 row selected

  • Re: "Contains unsupported data types" error

    Hi,
    I am new to R and oracle. I am having a problem hope you could help me with the same. I explictly gave the ore.sync(table = c("TAB1", "TAB2")). But i get the following Error
    Error in .oci.GetQuery(conn, statement, ...) :
    ORA-02289: sequence does not exist
    Can you please suggest what I might be missing. Please let me know if you need more information.
    Thanks,
    Anand

    Hi Denis,
    Following are the details
    a) ORE Server Version: 1.1 through file ore-server-linux-x86-64-1.1.zip
    b) OS Version: oracle enterprise linux 5.5 which is reassemble of RHEL5.5
    c) No I am trying to connect to the exadata box from my desktop. I have R 2.13.2 installed. I do not have the privileges to login to the box thru command line.
    d) I checked with my admin and he is not aware of the demo_User.sh script, but the user id that i am using has the DBA Role.
    Can you please help. Let me know if you need some more details.
    I am faced the samer error that Martin had faced and I saw some tables with the TIMESTAMP data type which is not supported, and so i went ahead and tried importing the tables per your suggestion using ore.sync and i came across the error i reported.
    Thanks,
    Anand
    Edited by: ranand on Apr 24, 2013 8:41 PM

  • Unable to find information on WS data binding error on WLS 9.2.03 startup

    Frustratingly, when I Google for "WS data binding error" I get 'old' links to BEA forum issues which may help but these are nowhere to be seen on the read-only copies now on Oracle forums here :- http://forums.oracle.com/forums/category.jspa?categoryID=202.
    The link I'm looking for is:-
    forums.bea.com/thread.jspa?threadID=600017135
    Is there anywhere I can get access to this information or should I just post new items on the new WLS forum?
    Many thanks.
    p.s. the errors I am trying to research are as follows:-
    <WS data binding error>could not find schema type '{http://xmlns.oracle.com/apps/otm}Transmission
    <WS data binding error>Ignoring element declaration {http://xmlns.oracle.com/apps/otm}Transmission because there is no entry for its type in the JAXRPC mapping file.

    Check this..
    http://docs.oracle.com/cd/E10291_01/doc.1013/e10538/weblogic.htm
    you can ignore those warnings
    The following data type binding warnings and errors are displayed during deployment and start of Decision Service (Business Rules) Applications. These errors and warnings can be ignored.
    <WS data binding error>could not find schema type '{http://www.w3.org/2001/XMLSchema}NCName
    <WS data binding error>could not find schema type
    '{http://websphere.ibm.com/webservices/}SOAPElement
    java.lang.IllegalStateException
    at weblogic.wsee.bind.runtime.internal.AnonymousTypeFinder$GlobalElementNode.
    getSchemaProperty(AnonymousTypeFinder.java:253)

Maybe you are looking for

  • Configurations done at SAP gui level to print in duplex mode

    Hi Gurus, We had a requirement to convert a printer to duplex mode, we changed all the settings at SAP level( kept duplex mode in printing mode and changed device type to SWAN (as post and pre2 device types are not available) ). But still we are not

  • Why is the preview taking elements away and stretching the page?

    I am running Mac Mountain Lion with Muse. I have a footer bar with an image in the middle. It shows up fine with my other pages but on the newest pages I make, it disappears and stretches the page out beyond my minimum page size.This only happens whe

  • Java HTTP adapter - without Authentication

    Hello Experts, is it possible to set Java HTTP adapter on sender CC to request no login and password? I tried to look at documentation but didnt found any setting for that. Standard case is - when I create sender HTTP channel it requires Basic Http a

  • Checkbox - One affects all?  Need solution

    Hello all, I recently started a small program for the sake of testing out Checkboxes and already I am running into a brick wall. The problem I am having, as I can best explain it, is that I am testing a very small program that does the following: - A

  • 2 player flash game?

    Hello everyone, I'm somewhat new to flash and was wondering if it is possible to make a game where two individual computers play the same game against each other. If so, is there any information out there explaining the steps? I have read a lot of bo