Parameters in a PROC

Can any one please tell me how to deal with parameters within a procedure.
I am passing 2 dates to the procedure. Later I am trying to delete all the records that are greater than one date and also delete all those records that are lesser than oher date.
When I run this proc I am getting few erros which as as follows:
ORA-06550: line 7, column 24:
PLS-00382: expression is of wrong type
ORA-06550: line 7, column 3:
PL/SQL: Statement ignored
ORA-06550: line 8, column 30:
PLS-00382: expression is of wrong type
ORA-06550: line 8, column 3:
PL/SQL: Statement ignored
PROCEDURE
CREATE OR REPLACE procedure Cos_Proc(service_life_date date, invoice_date_in_90_days date)
IS
BEGIN
DELETE from COS_RENEWALS_FEB where COS_invoice_date > to_date('invoice_date_in_90_days','yyyy/mm/dd');
DELETE from COS_RENEWALS_FEB where COS_invoice_date < to_date('service_life_date','yyyy/mm/dd');
EXCEPTION
WHEN NO_DATA_FOUND THEN
NULL;
WHEN OTHERS THEN
-- Consider logging the error and then re-raise
RAISE;
END PROC4;
/

I see several problems:
1. Your paramaters are already of type DATE, so there is no need to use the TO_DATE function.
2. You have placed single quotes around your parameter names, treating them as literal string values.
Also, you do not need to handle the NO_DATA_FOUND exception, as it is not relevant in this scenario.
Try something like this:
CREATE OR REPLACE procedure Cos_Proc(service_life_date date, invoice_date_in_90_days date)
IS
BEGIN
  DELETE from COS_RENEWALS_FEB where COS_invoice_date > invoice_date_in_90_days;
  DELETE from COS_RENEWALS_FEB where COS_invoice_date < service_life_date;
EXCEPTION
  WHEN OTHERS THEN
    -- Consider logging the error and then re-raise
    RAISE;
END Cos_Proc;

Similar Messages

  • Arrays as IN/OUT parameters to stored procs

    I need the ability to pass Java arrays as input parameters and receive arrays as output parameters from stored procedures. I searched this forum for "array stored procedure" and came up with 9 posts dating back to April 30, 1999. In every one of these posts, people have asked how this can be done, and as yet there has not been any real solution provided. One messy solution is to add another stored proc that takes the array items as scalars and builds a PL/SQL table to pass to the original stored proc.
    I am getting the impression that using arrays for IN/OUT parameters to/from stored procedures is not possible with JDK 1.1. Can it be done with JDK 1.2?
    Isn't there anyone from Oracle that can provide an answer or solution?

    I've searched for a way of passing a rowtype to a stored
    procedure or passing an array to a stored procedure.
    The following example may have some pertinence. It was posted at
    http://www.classicity.com/oracle/htdocs/forums/ClsyForumID124/6.h
    tml#
    I also think that it would be useful to know how best to pas a
    ResultSet or equivalent to a Stored Procedure, if someone has
    more information. The idea is to have symmetry between the way
    data is retrieved from SP's (CURSORS) and supplied to SP's (???
    ARRAY/CURSOR) ?
    "[Example]Example of using JDBC with VARRAYS and REF CURSORs"
    This example shows how to use JDBC with VARRAYS and REF
    CURSORs.
    It also shows use of the PreparedStatement and CallableStatement
    methods.
    The example does the follows:
    1. selects from a table of VARRAYs
    2. inserts into a table of VARRAYs
    3. selects from a table of VARRAYs
    4. calls stored procedure -- parameters <ref cursor, varray>
    In order to test it, you will need to do two things first:
    1) Create related tables and types first. The screipt is given
    below.
    2) Create a package that gets called from JAVA code. The script
    is given below.
    ======================= Step 1 create tables etc. cute here
    ==================
    -- Run this through SQL*PLUS
    drop TABLE varray_table;
    drop TYPE num_varray;
    drop TABLE sec;
    -- create the type
    create TYPE num_varray as VARRAY(10) OF NUMBER(12, 2);
    -- create the table
    create TABLE varray_table (col1 num_varray);
    -- create the sec table
    create table sec (sec_id number(8) not null, sec_grp_id number
    (8) not null,
    company_id number(8) not null);
    insert into sec values (1,200,11);
    insert into sec values (2,1100,22);
    insert into sec values (3,1300,33);
    insert into sec values (4,1800,44);
    ==================== End of step
    1===========================================
    ================== Step 2 create package
    ====================================
    -- Run it through sql*plus
    CREATE OR REPLACE PACKAGE packageA AS
    type sctype is ref cursor return SEC%ROWTYPE;
    procedure get_port_consensus(sc IN OUT sctype, arr IN
    num_varray);
    procedure test_port_consensus(sc IN OUT sctype);
    END packageA;
    CREATE OR REPLACE PACKAGE BODY packageA AS
    procedure test_port_consensus(sc IN OUT sctype)
    IS
    testArr num_varray := num_varray(200, 1100, 1300, 1800);
    BEGIN
    get_port_consensus(sc, testArr);
    END test_port_consensus;
    procedure get_port_consensus(sc IN OUT sctype, arr IN num_varray)
    IS
    BEGIN
    open sc for select * from sec
    where sec_grp_id = arr(1)
    or sec_grp_id = arr(2)
    or sec_grp_id = arr(3)
    or sec_grp_id = arr(4);
    END get_port_consensus;
    END packageA;
    ===================== End of step 2
    ===================================
    ============ JAVA code to test the whole thing
    ========================
    import java.sql.*;
    import oracle.sql.*;
    import oracle.jdbc.oracore.Util;
    import oracle.jdbc.driver.*;
    import java.math.BigDecimal;
    public class ArrayExample
    public static void main (String args<>)
    DriverManager.registerDriver(new oracle.jdbc.driver.OracleDriver
    // Connect to the database
    // You need to put your database name after the @ sign in
    // the connection URL.
    // The example retrieves an varray of type "NUM_VARRAY",
    // materializes the object as an object of type ARRAY.
    // A new ARRAY is then inserted into the database.
    Connection conn =
    DriverManager.getConnection ("jdbc:oracle:oci8:@v81",
    "scott", "tiger");
    // It's faster when auto commit is off
    conn.setAutoCommit (false);
    // Create a Statement
    Statement stmt = conn.createStatement ();
    System.out.println("Querying varray_table");
    ResultSet rs = stmt.executeQuery("SELECT * FROM varray_table");
    showResultSet (rs);
    // now insert a new row
    // create a new ARRAY object
    int elements<> = { 200, 1100, 1300, 1800 };
    ArrayDescriptor desc = ArrayDescriptor.createDescriptor
    ("NUM_VARRAY",conn);
    ARRAY newArray = new ARRAY(desc, conn, elements);
    // prepare statement to be inserted and bind the num_varray type
    System.out.println("PreparedStatement: Inserting into
    varray_table");
    PreparedStatement ps =
    conn.prepareStatement ("insert into varray_table values (?)");
    ((OraclePreparedStatement)ps).setARRAY (1, newArray);
    ps.execute ();
    // query to view our newly inserted row
    System.out.println("Querying varray_table again");
    rs = stmt.executeQuery("SELECT * FROM varray_table");
    showResultSet (rs);
    // prepare a callable statement -- call the stored procedure
    // passing <ref cursor in out, varray in>
    System.out.println("CallableStatement: Calling Stored
    Procedure");
    OracleCallableStatement oraStmt1 =
    (OracleCallableStatement)conn.prepareCall("{ call
    packageA.get_port_consensus(?, ?) }");
    oraStmt1.registerOutParameter(1, OracleTypes.CURSOR);
    oraStmt1.setARRAY(2, newArray);
    oraStmt1.execute();
    rs = (ResultSet)oraStmt1.getObject(1);
    // loop through the result set of the ref cursor and display
    while (rs.next()) {
    System.out.println(rs.getString("sec_grp_id"));
    // Close all the resources
    rs.close();
    ps.close();
    stmt.close();
    oraStmt1.close();
    conn.close();
    public static void showResultSet (ResultSet rs)
    throws SQLException
    int line = 0;
    while (rs.next())
    line++;
    System.out.println("Row "+line+" : ");
    ARRAY array = ((OracleResultSet)rs).getARRAY (1);
    System.out.println ("Array is of type "+array.getSQLTypeName());
    System.out.println ("Array element is of type
    code "+array.getBaseType());
    System.out.println ("Array is of length "+array.length());
    // get Array elements
    BigDecimal<> values = (BigDecimal<>) array.getArray();
    for (int i=0; i<values.length; i++)
    BigDecimal value = (BigDecimal) values;
    System.out.println(">> index "+i+" = "+value.intValue());

  • Is it possible to pass array of strings as input parameters for stored proc

    Dear All,
    I wrote a Stored Procedure for my crystal report. now i got a modification.
    one of the parameters 'profit_center' should be modified so that it is capable to take multiple values.
    now when i run report crystal report collects more than one values for parameter profit_center and sends it as input parameter to stored procedure all at a time.
    the only way to handle this situation is the input parameter for stored procedure 'profit_center' should be able to take array of values and i have a filter gl.anal_to = '{?profit_center}'. this filter should also be modified to be good for array of values.
    Please Help.

    Or you can use sys.ODCIVarchar2List
    SQL> create or replace procedure print_name( In_Array sys.ODCIVarchar2List)
        is
        begin
                for c in ( select * from table(In_Array) )
                loop
                        dbms_output.put_line(c.column_value);
                end loop ;
        end ;
    Procedure created.
    SQL>
    SQL> exec print_name(sys.ODCIVarchar2List('ALLEN','RICHARD','KING')) ;
    ALLEN
    RICHARD
    KING
    PL/SQL procedure successfully completed.SS

  • Omiting parameters for stored procs

    Post Author: lihaze
    CA Forum: Data Connectivity and SQL
    Hi - I hope that this is a straightforward one..  I have a number of params in a shared stored proc (they do default to NULL, but the app that I am using to call Crystal firstly cannot pass in a NULL value(!!!), and also always asks for the same no. of params that are in the creport. So, I am using Crystal 8.5, I dont even want these params to be requested. How can I make sure that they arent requested in Crystal?thanks

    Post Author: yangster
    CA Forum: Data Connectivity and SQL
    to actually pass a null value using crystal reports you will have to use crystal 2008as this isn't what you are after the alternative would be to in your report edit the parameter from the stored procedureput in a value, set the default value to that value and change allow custom value to falsethis will push the default value to the parameter every single time the report is run so you will not be prompted for the parameter value anymore

  • ADO Recordsets as IN parameters to stored procs

    Is there anyone who knows whether we can pass one (or more)
    recordsets to an oracle stored procedure as input parameters.
    Since it can be done for OUT parameters, I thought it may be
    done with IN too.
    If anyone knows the way, or knows that it is not possible, I
    would appreciate to hear it
    Thanx

    Yep,
    I looking for the same.Did you get any joy?

  • Add parameters in store proc + query manager

    hello, i have a store procedure with 2 date parameter(begin and end), from addon tables. I want to execute from query manager, but, i have errors. I tried with :
    /* SELECT FROM dbo.beas_arbzeit T0 */
    DECLARE @FechaInicio AS datetime -- also date
    DECLARE @FechaFinal AS datetime -- also date
    /* WHERE */
    SET @FechaInicio = /* T0.anfZeit */ '[%0]'
    SET @FechaFinal = /* T0.anfZeit */ '[%1]'
    exec dbo.MyProcedureTest @FechaInicio, @FechaFinal
    -- FAILED. Error message:  'Document' (RDOC)
    Can you help me ? thanks.

    Hi,
    How did you store initial and final time on same field?
    SET @FechaInicio = /* T0.anfZeit */ '[%0]'
    SET @FechaFinal = /* T0.anfZeit */ '[%1]

  • Crystal crashes when add new parameters to a stored proc in a subreport

    This one has been driving me nuts so any help much appreciated...
    I have a stored procedure (Oracle 9i) that is used as the datasource for a subreport (needs to be in the subreport as I need to pass multi-value parameters to the proc - something I've done in numerous other procs/reports).  All of the parameters from the proc are linked to data/parameters on the main report.
    The report works fine at the moment. 
    I need to add three new parameters to the proc with an If statement on each one to run various bits of code depending on what is passed in.  This is where the trouble starts.
    The proc works.
    If I create a main report based on the new proc, it works.
    If I create a subreport based on the proc and DON'T link it to the main report, it works.
    If I create a subreport based on the proc and DO link it to the main report, Crystal crashes with no explanation (just that painful error that apologies for the inconvenience).  It is not all the parameters that cause this problem - it's not even restricted to just the new parameters or even just to ones that are used in the IF statements.
    This is not the first proc to do this to me - just the first one where the new functionality was too critical to strip out for now.
    I have been trawling the net and trying all sorts of things for days so I am hoping someone out there has a suggestion!
    Versions: Oracle 9i, Crystal Reports 11.0.0.1994

    Hi Daniel,
    Starting from the basics, after you've inserted the subreport don't link it yet.  Edit the subreport and verify the database.  Once it's verified, try linking the reports and adding a parameter. 
    Verify the linking you are using.  I've seen where the field from the main report was passing invalid or coruupted data and caused the subreport to die a horrifying death. 
    Good luck,
    Brian

  • Are Default parameters required to be inputted when proc is called?

    Hi,
    I wanted to add default parameters to my proc (as below). I was wondering if, Default parameters required to be inputted when I call the proc? For example:
    CREATE OR REPLACE PROCEDURE P2 (p_Min in number default := 0,
    p_Max in number default := 0)
    IS
    BEGIN
    P1('Select * from emp');
    END P2;
    Where P1 would have 2 default parameters, like this:
    Create PROCEDURE P1 (p_Query in varchar2,
    p_Min in number default := 0,
    p_Max in number default := 0) IS (etc.) ...
    Otherwise, is it possible to have optional parameters in Oracle 8i/9i? If so, can you tell me how I could do it?
    Thanks in advance.
    Sincerely,
    Nikhil Kulkarni

    Default parameter are NOT required to be inputted. You just have to careful when using more than on defaulted parameter, since you cannot skip the first defaulted parameter only, unless you use the named assignment of the parameters.
    Anyway you MUST NOT pass 'null', since null is a legal value it will not be replaced by a default value! To prevent passing NULL to a procedure you can constrain the parameter.

  • Perl and stored proc question

    Hello,
    I have used ASP w/ many SQL Server stored procs before and many Oracle stored procs with Java before, but I have yet to embark on calling stored procs from Perl.
    My current insert has been like this:
    my $dbh = DBIConnect->connect;     
    my $query1;
    $query1 = "INSERT into DEFAULT_PROJECT (NAME, EMAIL, LOCATION,PHONE,MGRNAME,MGREMAIL,"
        ."PROJNAME,PROJ_LOC,SPON_DEPT,SPON_BUS,PROJ_TYPE)
    ."values (?,?,?,?,?,?,?,?,?,?,?);"But am looking to replicate an equivalent call to an SP. ok, I've created my multi-table insert in SQL Plus, in PL/SQL, and it's just fine, no errors.
    Now I need to make the call.
    I've seen a few different things, including the use of DBIx like
    DBIx::ProcedureCall qw(sysdate);
    I've also seen something like
      $csr =  $dbh->prepare(q{
        BEGIN
          DEFPROJ_FORM_INSERTION;
        END;
       $csr->execute;I'm a bit confused having tried to shake down the CPAN board for a while with little luck.
    Anyone out there know how that call might look or go, given the supplied parameters and stored proc. name?
    I'd assume I'd be assigning the parameterized values much like I am now.
    Can any Perl/Oracle users out there shed any light on this?
    Thanks!

    alright, so I could not get that to work, but just to validate the insert statement I tried to alter it from an SP to a normal dynamic insert SQL statement.
    I get an Oracle error citing
    errERROR: Could not execute SQL! Error: ORA-00911: invalid character (DBD ERROR: OCIStmtExecute)
    DBI ERROR: ORA-00911: invalid character (DBD ERROR: OCIStmtExecute),Maybe I'm overlooking something simple. Anyone see anything out of place that pertains to the SQL statement?
    I think I have input it in a rather manageable, and easy to read block below:
    INSERT ALL
    INTO DEFAULT_PROJECT_USER
    (DEFPROJ_ID,DEFPROJ_ID_LTR,NAME,EMAIL,LOCATION,PHONE,MGRNAME,MGREMAIL,PROJNAME,PROJ_LOC, SPON_DEPT,SPON_BUS,PROJ_TYPE,REG_LEGAL,NETCRED_LOSS, EXPENSE_REDUC_CKB, STRAT_GOALS,AUDIT_COMPL,REV_GEN,CACS,CUSTOMIT,CUST_IMPACT,CALL_MGT,CALL_TRACK,
    CITILINK,DESKTOP,DIALER,DRI,ENGINEER,IMAGING,IPDT,MAINFR,MISC_OTHER,MORTSERV,MORTWEB,NON_MORTSERV,ORIG_PLAT,QUAL_MAP,DATAWARE_REPTS,SERV_APP_VDR,SOUTHBEND,WEB_SVCG,PROBLEM_RESOLVE,EXIST_PROC,BUS_OBJECTIVE,
    PENDING_PROJ,IMPACT_AREAS,REGULATORY_COMPLY,COMPLY_DEADLINE,SUB_DATE,EXPENSE_REDUCTION_TEXT,PRIORITY_RATING,ADDL_COMMENTS,PROJ_TYPE_OTHER,OTHER_EXPL_IT)
    values (defproj_user_seq.nextval,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,to_date(?,'YYYY-MM-DD HH:MI:SS'),SYSDATE,?,?,?,?,?)
    INTO DEFAULT_PROJECT_PROJMGR
    (DEFPROJ_ID,PROJ_MGR,STATUS,IT_PROJ_TYPE,IT_PROJNUMBER,FUNC_SPECS,FUNC_SPECS_DT,FUNC_SPECS_APPR_DT,BRD_APPROVED,BRD_APPROVED_DT,UAT_STARTDT,UAT_ENDDT,TESTER,RELEASE_DT, TARGETED_RELEASE_DT,BENEFIT_AMT,BENEFIT_CMTS,IT_LEVEL,IT_HOURS,FTES_SAVED,NUM_FTES,PROJQUE1,PROJQUE2,ACTUALCBA)
    VALUES (defproj_user_seq.nextval,NULL, NULL, NULL, NULL,NULL, NULL, NULL, NULL,NULL, NULL, NULL,NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL,NULL, NULL,NULL,NULL)
    INTO DEFAULT_PROJECT_QA
    (DEFPROJ_ID,TERM,DEFINITION,BUS_NEED,CUST_IMPACT,CONTACT_NAME,IMPACT,IMPACT_PROCESS,IMPACT_DESC,PROCESS_LOC,PROJ_SCHED,PROJ_JUSTIF,IMPL_DATE,PROJ_EXPL,
    PROJ_TYPE,PROJ_JUST_MIT,PROJ_OWNER,PROJ_DATE_STATUS)
    VALUES (defproj_user_seq.nextval,NULL, NULL, NULL, NULL,NULL, NULL, NULL, NULL,NULL, NULL, NULL, NULL, NULL,NULL, NULL,NULL,NULL)
    SELECT object_name AS DEFPROJ_ID_LTR FROM all_objects where rownum <= 1;what could be leading to an invalid character? The error doesn't show which line.
    Thanks, but NEVER MIND...I found it - it's stupid perl! As opposed to a good language (Java).
    It balks at the extra semicolon, unlike Java would.
    Oh, and why am I using Perl you ask? Other than the "yeah, good question response", it's a long story, but suffice to say they don't allow for our UNIX server to be used with Java, just Perl. : (
    I do use Java a good amount here, but sometimes we're bound to crap on another planet where it just isn't an option for the server on which we use Java!
    Maybe someday! : )
    Message was edited by:
    user515689

  • Urgent - Avoiding PO creation from SC

    Hi,
    I need to stop the PO creation in SRM & R/3.
    Pls suggest.
    Thanks,
    Shah.

    Hi Kyamuddin
    One option is to increase the approval level and see that the last approver do not apporve the SC and there by we can stop PO getting created for specific Prodcuct Category.
    Other option is to change the Customisation settings in spro  --SRM Server -- Cross-Application Basic Settings -- Define Objects in Backend System (Purch. Reqs, Reservations, Purch. Orders)
    In this path for this option, here we maintain product category wise  settings for backend documents you can change the 2 parameters
    1 INC Proc  - Always External Procurement
    2 Ext Procument - Always Purchase REquistion
    By this you can avoid creating PO temporary and then change the setting normal.
    regards,
    Nimish Sheth
    Pls reward points for helpful answers

  • ORA-27123 unable to attach shared memory segment

    Running oracle 8.1.5.0.0 on Redhat 6.0 with kernel 2.2.12, I keep getting the error ORA-27123 unable to attach shared memory segment when trying to startup and instance with an SGA > 150 MB or so. I have modified the shmmax and shmall kernel parameters via the /proc/sys interface. The relevant output of ipcs -l is below:
    ------ Shared Memory Limits --------
    max number of segments = 128
    max seg size (kbytes) = 976562
    max total shared memory (kbytes) = 16777216
    min seg size (bytes) = 1
    This system has 2gb of physical memory and is doing nothing except oracle.
    I changed the shmmax and shmall parameters after the instance was created, was their something I needed to do to inform Oracle of the changes?

    High JW,
    i had the same problem on my installation.
    The solution is written in the Oracle8i Administrator Refernece on page 1-26 "Relocating the SGA"
    a) determine the valid adress range for Shared Memory with:
    $ tstshm
    in the output Lowest & Highest SHM indicate the valid adress range
    b) run genksms to generate the file ksms.s
    $ cd $ORACLE_HOME/rdbms/lib
    $ $ORACLE_HOME/bin/genksms -b "sga_beginn_adress" > ksms.s
    c) shut down any instance
    d) rebuilt the oracle exe in $ORACLE_HOME/rdbms/lib
    $ make -f ins_rdbms.mk ksms.o
    $ make -f ins_rdbms.mk ioracle
    the result is a new oracle kernel that loads the SGA at the adress specified in "sga_beginn_adress".
    regards
    Gerhard

  • ERP 6 EHP7 on HANA upgrade error

    Dear Experts,
    We have faced the error attached below when trying to upgrade our system ERP6 EHP7 on HANA from sp2 to sp4 using SUM SP10 :
    Details log PARCONV.LOG are:
    1 ETQ201 Entering upgrade-phase "MAIN_NEWBAS/PARCONV_UPG" ("20140510162238")
    2 ETQ367 Connect variables are set for standard instance access
    4 ETQ399 System-nr = '00', GwService = 'sapgw00' Client = '000'
    4 ETQ399 Environment variables:
    4 ETQ399   dbs_hdb_schema=<null>
    4 ETQ399   auth_shadow_upgrade=<null>
    1 ETQ200 Executing actual phase 'MAIN_NEWBAS/PARCONV_UPG'.
    1 ETQ399 Phase arguments:
    2 ETQ399 Arg[0] = '$CONDEVAL($(MIGRATE_SECONDDB),RUN_ACT;,)$CONDEVAL($(ZERODOWNTIME_UPG),,RUN_DEL;)RUN_DDL'
    2 ETQ399 Arg[1] = '$CONDEVAL($(MIGRATE_SECONDDB),A,)FU$CONDEVAL($(ZERODOWNTIME_UPG),,X)'
    2 ETQ399 Arg[2] = 'PARCONV.TP0'
    2 ETQ399 Arg[3] = 'PARCONV.TLG'
    1 ETQ399 Using error summary log 'PARCONV.ELG'.
    1 ETQ399 Expanded phase arguments:
    2 ETQ399 Arg[0] = 'RUN_DEL;RUN_DDL'
    2 ETQ399 Arg[1] = 'FUX'
    3 ETQ399 Phase status info: (is STARTED)
    3 ETQ399 Number of parallel conversion processes: 4
    1 ETQ399 SYSTEM MANAGER: Contents of instance list. Instance Number: 01.
    1 ETQ399 SYSTEM MANAGER: Contents of instance list. Instance Number: 00.
    1 ETQ399 SYSTEM MANAGER: found instance in instance list.
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162242 
    1 ETQ233 Calling function module "RFC_PING" by RFC
    1 ETQ234 Call of function module "RFC_PING" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162243 
    1 ETQ399 SYSTEM MANAGER: STARTSAP on Windows.
    1 ETQ399 SYSTEM MANAGER: STARTSAP with SAPCONTROL.
    1 ETQ399 SYSTEM MANAGER: Prestart on Windows.
    1 ETQ399 SYSTEM MANAGER: Did not start the service.
    1 ETQ399 SYSTEM MANAGER: SAPControl tries to control CENTRAL INSTANCE
    1 ETQ399 SYSTEM MANAGER: ControlInstance with SAPCONTOL action START for instance 00.
    1 ETQ399 SYSTEM HEALTH MANAGER: running preCheck for instance 00 on host vSAPPRD
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162247 
    1 ETQ233 Calling function module "RFC_PING" by RFC
    1 ETQ234 Call of function module "RFC_PING" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162247 
    2 ETQ399 SYSTEM HEALTH MANAGER: Checking instance number 0 for used ports on host 'vSAPPRD'.
    3 ETQ399 SYSTEM HEALTH MANAGER: Port 3200 appears to be used.
    1 ETQ399 SYSTEM MANAGER: Prestop on Windows.
    1 ETQ399 SYSTEM MANAGER: Getting service state of instance: 00. (Global central instance number)
    1 ETQ399 SYSTEM HEALTH MANAGER: check for instance processlist.
    1 ETQ399 SAPCONTROL MANAGER: getProcessList with host: vSAPPRD and instance: 00
    3 ETQ120 20140510162247: PID 20584 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\sapcontrol.exe -format script -prot PIPE -host vSAPPRD -nr 00 -function GetProcessList', output written to 'F:\SUM\abap\log\SAPup.ECO'.
    3 ETQ123 20140510162247: PID 20584 exited with status 3 (time 0.000 real)
    1 ETQ399 SYSTEM HEALTH MANAGER: System up and running, no start needed
    3 ETQ399 Parameters: parallel DDL procs = 7, tablsize = 1
    3 ETQ399 Running RDDCLEAN
    4 ETQ260 Starting batchjob "RDDCLEAN"
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162247 
    1 ETQ233 Calling function module "SUBST_START_BATCHJOB" by RFC
    2 ETQ373 parameter "BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "JOBNAME" = "RDDCLEAN"
    2 ETQ373 parameter "REPNAME" = "RDDCLEAN"
    2 ETQ373 parameter "VARNAME" = ""
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162247 
    2 ETQ373 parameter "JOBCOUNT" = "16224300"
    2 ETQ374 parameter "RC_START" = "0"
    4 ETQ311 Batch job "RDDCLEAN" with job count "16224300" scheduled
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDCLEAN' JOBCOUNT='16224300' returns 'Y'.
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162257 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RDDCLEAN"
    2 ETQ373 parameter "JOBCOUNT" = "16224300"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162257 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162244"
    4 ETQ263 Batchjob "RDDCLEAN" finished successfully
    3 ETQ399 Running RSMFCONV
    4 ETQ266 Starting report "RSMFCONV" with default parameters in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162257 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RSMFCONV"
    2 ETQ373 parameter "IV_REPNAME" = "RSMFCONV"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "SAP_UPGRADE"
    2 ETQ373 parameter "IV_VARNAME" = ""
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#0):
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162258 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16225400"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RSMFCONV" with job count "16225400" scheduled
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RSMFCONV' JOBCOUNT='16225400' returns 'R'.
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162308 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RSMFCONV"
    2 ETQ373 parameter "JOBCOUNT" = "16225400"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162308 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162254"
    4 ETQ263 Batchjob "RSMFCONV" finished successfully
    4 ETQ263 Batchjob "RSMFCONV" finished successfully
    2 ETQ399 Starting 4 jobs:
    4 ETQ265 Starting report "RDDGENBB" with variant "SAP_PCON_0" in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162310 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RDDGENBB_0"
    2 ETQ373 parameter "IV_REPNAME" = "RDDGENBB"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "Parallel RepSwitch Conversion"
    2 ETQ373 parameter "IV_VARNAME" = "SAP_PCON_0"
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#3):
    3 ETQ399 "FUNC","P","","","N",""
    3 ETQ399 "PROT","P","","","F",""
    3 ETQ399 "LOG","P","","",":D:P:S:tmp:F:NCONV00.PRD",""
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162310 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16230600"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RDDGENBB_0" with job count "16230600" scheduled
    4 ETQ265 Starting report "RDDGENBB" with variant "SAP_PCON_1" in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162313 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RDDGENBB_1"
    2 ETQ373 parameter "IV_REPNAME" = "RDDGENBB"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "Parallel RepSwitch Conversion"
    2 ETQ373 parameter "IV_VARNAME" = "SAP_PCON_1"
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#3):
    3 ETQ399 "FUNC","P","","","N",""
    3 ETQ399 "PROT","P","","","F",""
    3 ETQ399 "LOG","P","","",":D:P:S:tmp:F:NCONV01.PRD",""
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162313 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16230900"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RDDGENBB_1" with job count "16230900" scheduled
    4 ETQ265 Starting report "RDDGENBB" with variant "SAP_PCON_2" in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162316 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RDDGENBB_2"
    2 ETQ373 parameter "IV_REPNAME" = "RDDGENBB"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "Parallel RepSwitch Conversion"
    2 ETQ373 parameter "IV_VARNAME" = "SAP_PCON_2"
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#3):
    3 ETQ399 "FUNC","P","","","N",""
    3 ETQ399 "PROT","P","","","F",""
    3 ETQ399 "LOG","P","","",":D:P:S:tmp:F:NCONV02.PRD",""
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162317 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16231300"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RDDGENBB_2" with job count "16231300" scheduled
    4 ETQ265 Starting report "RDDGENBB" with variant "SAP_PCON_3" in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162320 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RDDGENBB_3"
    2 ETQ373 parameter "IV_REPNAME" = "RDDGENBB"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "Parallel RepSwitch Conversion"
    2 ETQ373 parameter "IV_VARNAME" = "SAP_PCON_3"
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#3):
    3 ETQ399 "FUNC","P","","","N",""
    3 ETQ399 "PROT","P","","","F",""
    3 ETQ399 "LOG","P","","",":D:P:S:tmp:F:NCONV03.PRD",""
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162320 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16231600"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RDDGENBB_3" with job count "16231600" scheduled
    4 ETQ010 Date & Time: 20140510162320 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162320: PID 1680 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=00" parallel "tablsize=-1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP00.ECO'.
    2 ETQ399 started tp ddlntabs: pid 1680
    4 ETQ010 Date & Time: 20140510162320 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162320: PID 21456 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=01" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP01.ECO'.
    2 ETQ399 started tp ddlntabs: pid 21456
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162321: PID 19956 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=02" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP02.ECO'.
    2 ETQ399 started tp ddlntabs: pid 19956
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162321: PID 11740 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=03" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP03.ECO'.
    2 ETQ399 started tp ddlntabs: pid 11740
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162321: PID 4308 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=04" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP04.ECO'.
    2 ETQ399 started tp ddlntabs: pid 4308
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162321: PID 8548 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=05" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP05.ECO'.
    2 ETQ399 started tp ddlntabs: pid 8548
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp ddlntabs operation
    3 ETQ121 20140510162321: PID 20716 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=06" parallel "tablsize=+1" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP06.ECO'.
    2 ETQ399 started tp ddlntabs: pid 20716
    4 ETQ010 Date & Time: 20140510162321 
    4 ETQ010 Starting: tp delntabs operation
    3 ETQ121 20140510162321: PID 3312 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" delntabs PRD "ddlmode=0" "protyear=00" "-Dbuffreset=no"' in background, output written to 'F:\SUM\abap\log\TP07.ECO'.
    2 ETQ399 started tp delntabs: pid 3312
    2 ETQ399 2014/05/10 16:23:21: sleeping 30 seconds
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_0' JOBCOUNT='16230600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_0" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_1' JOBCOUNT='16230900' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_1" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_2' JOBCOUNT='16231300' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_2" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_3' JOBCOUNT='16231600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_3" still running
    3 ETQ123 20140510162351: PID 3312 exited with status 0 (time 0.000 real)
    2 ETQ399 tp delntabs finished successfully
    4 ETQ010 Date & Time: 20140510162351 
    2 ETQ399 running: 11, jobs: 4, tps: 7, failed tps: 0
    2 ETQ399 2014/05/10 16:23:51: sleeping 20 seconds
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_0' JOBCOUNT='16230600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_0" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_1' JOBCOUNT='16230900' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_1" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_2' JOBCOUNT='16231300' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_2" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_3' JOBCOUNT='16231600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_3" still running
    3 ETQ123 20140510162411: PID 21456 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162411 
    2 ETQ399 running: 10, jobs: 4, tps: 6, failed tps: 0
    2 ETQ399 2014/05/10 16:24:11: sleeping 20 seconds
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_0' JOBCOUNT='16230600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_0" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_1' JOBCOUNT='16230900' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_1" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_2' JOBCOUNT='16231300' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_2" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_3' JOBCOUNT='16231600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_3" still running
    3 ETQ123 20140510162431: PID 4308 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162431 
    2 ETQ399 running: 9, jobs: 4, tps: 5, failed tps: 0
    2 ETQ399 2014/05/10 16:24:31: sleeping 20 seconds
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_0' JOBCOUNT='16230600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_0" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_1' JOBCOUNT='16230900' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_1" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_2' JOBCOUNT='16231300' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_2" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_3' JOBCOUNT='16231600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_3" still running
    3 ETQ123 20140510162452: PID 19956 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162452 
    2 ETQ399 running: 8, jobs: 4, tps: 4, failed tps: 0
    2 ETQ399 2014/05/10 16:24:52: sleeping 19 seconds
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_0' JOBCOUNT='16230600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_0" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_1' JOBCOUNT='16230900' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_1" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_2' JOBCOUNT='16231300' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_2" still running
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RDDGENBB_3' JOBCOUNT='16231600' returns 'R'.
    4 ETQ264 Batchjob "RDDGENBB_3" still running
    3 ETQ123 20140510162511: PID 11740 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162511 
    2 ETQ399 running: 7, jobs: 4, tps: 3, failed tps: 0
    2 ETQ399 2014/05/10 16:25:11: sleeping 20 seconds
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162531 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RDDGENBB_0"
    2 ETQ373 parameter "JOBCOUNT" = "16230600"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162508"
    4 ETQ263 Batchjob "RDDGENBB_0" finished successfully
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162531 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RDDGENBB_1"
    2 ETQ373 parameter "JOBCOUNT" = "16230900"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162513"
    4 ETQ263 Batchjob "RDDGENBB_1" finished successfully
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162531 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RDDGENBB_2"
    2 ETQ373 parameter "JOBCOUNT" = "16231300"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162507"
    4 ETQ263 Batchjob "RDDGENBB_2" finished successfully
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510162531 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RDDGENBB_3"
    2 ETQ373 parameter "JOBCOUNT" = "16231600"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "162508"
    4 ETQ263 Batchjob "RDDGENBB_3" finished successfully
    3 ETQ123 20140510162531: PID 8548 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ399 running: 2, jobs: 0, tps: 2, failed tps: 0
    3 ETQ123 20140510162531: PID 20716 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510162531 
    2 ETQ399 running: 1, jobs: 0, tps: 1, failed tps: 0
    3 ETQ123 20140510163009: PID 1680 exited with status 8 (time 0.000 real)
    2 ETQ399 tp ddlntabs finished with error (rc = 8)
    4 ETQ010 Date & Time: 20140510163009 
    2 ETQ399 running: 0, jobs: 0, tps: 0, failed tps: 0
    2 ETQ399 Looking for pattern 'PD00....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD000510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD00....\.PRD'
    2 ETQ399 Looking for pattern 'PD01....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD010510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD01....\.PRD'
    2 ETQ399 Looking for pattern 'PD02....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD020510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD02....\.PRD'
    2 ETQ399 Looking for pattern 'PD03....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD030510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD03....\.PRD'
    2 ETQ399 Looking for pattern 'PD04....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD040510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD04....\.PRD'
    2 ETQ399 Looking for pattern 'PD05....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD050510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD05....\.PRD'
    2 ETQ399 Looking for pattern 'PD06....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD060510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD06....\.PRD'
    4 ETQ266 Starting report "RSMFCONV" with default parameters in batch
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510163023 
    1 ETQ233 Calling function module "SUBST_START_REPORT_IN_BATCH" by RFC
    2 ETQ373 parameter "IV_ABORT_ON_ERROR" = ""
    2 ETQ373 parameter "IV_AUTHCKNAM" = "DDIC"
    2 ETQ373 parameter "IV_BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "IV_JOBNAME" = "RSMFCONV"
    2 ETQ373 parameter "IV_REPNAME" = "RSMFCONV"
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "IV_VARIANTTEXT" = "SAP_UPGRADE"
    2 ETQ373 parameter "IV_VARNAME" = ""
    2 ETQ373 parameter "IV_LANGUAGE" = "E"
    2 ETQ399 Table TT_REPORTPARAM (#0):
    2 ETQ373 parameter "IV_BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_REPORT_IN_BATCH" by RFC succeeded
    4 ETQ010 Date & Time: 20140510163023 
    2 ETQ373 parameter "EV_JOBCOUNT" = "16301900"
    2 ETQ374 parameter "EV_STARTRC" = "0"
    2 ETQ374 parameter "EV_VARIWRC" = "0"
    4 ETQ311 Batch job "RSMFCONV" with job count "16301900" scheduled
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='RSMFCONV' JOBCOUNT='16301900' returns 'Y'.
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510163033 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "RSMFCONV"
    2 ETQ373 parameter "JOBCOUNT" = "16301900"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510163033 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "163019"
    4 ETQ263 Batchjob "RSMFCONV" finished successfully
    4 ETQ263 Batchjob "RSMFCONV" finished successfully
    3 ETQ120 20140510163035: PID 12956 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\PARCONV.TPP" ddlntabs PRD "ddlmode=F" "protyear=99" "-Dbuffreset=no"', output written to 'F:\SUM\abap\log\TP00.ECO'.
    3 ETQ123 20140510163810: PID 12956 exited with status 8 (time 0.000 real)
    2 ETQ399 call tp ddlntabs failed
    2 ETQ399 Looking for pattern 'PD99....\.PRD'
    2 ETQ399 Wasting log file 'F:\SUM\abap\log\PD990510.PRD'.
    2 ETQ399 Operation 'ddlntabs' looking for pattern 'PD99....\.PRD'
    4 ETQ399 html file conversion from 'F:\SUM\abap\log\PARCONV.ELG' to 'PARCONV.html' succeeded.
    4 ETQ399 Starting dialog 'LogScanSummary' at 20140510163812.
    4 ETQ399 Dialog finished at 20140510163812.
    4 ETQ260 Starting batchjob "RSNTSYNC"
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510163812 
    1 ETQ233 Calling function module "SUBST_START_BATCHJOB" by RFC
    2 ETQ373 parameter "BATCHHOST" = "vSAPPRD"
    2 ETQ373 parameter "JOBNAME" = "NTBUF_SYNC"
    2 ETQ373 parameter "REPNAME" = "RSNTSYNC"
    2 ETQ373 parameter "VARNAME" = ""
    2 ETQ373 parameter "IV_SCHEDEVER" = " "
    2 ETQ373 parameter "BATCHINSTANCE" = ""
    1 ETQ234 Call of function module "SUBST_START_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510163812 
    2 ETQ373 parameter "JOBCOUNT" = "16380800"
    2 ETQ374 parameter "RC_START" = "0"
    4 ETQ311 Batch job "NTBUF_SYNC" with job count "16380800" scheduled
    2 ETQ399 'SUBST_CHECK_BATCHJOB' for JOBNAME='NTBUF_SYNC' JOBCOUNT='16380800' returns 'Y'.
    1 ETQ359 RFC Login to: System="PRD", AsHost="vSAPPRD" Nr="00", GwHost="vSAPPRD", GwService="sapgw00"
    2 ETQ232 RFC Login succeeded
    4 ETQ010 Date & Time: 20140510163817 
    1 ETQ233 Calling function module "SUBST_CHECK_BATCHJOB" by RFC
    2 ETQ373 parameter "JOBNAME" = "NTBUF_SYNC"
    2 ETQ373 parameter "JOBCOUNT" = "16380800"
    2 ETQ373 parameter "IV_VERIFY" = " "
    1 ETQ234 Call of function module "SUBST_CHECK_BATCHJOB" by RFC succeeded
    4 ETQ010 Date & Time: 20140510163817 
    2 ETQ373 parameter "JOBSTATUS" = "F"
    2 ETQ374 parameter "RC_CHECK" = "0"
    2 ETQ373 parameter "JOBENDDATE" = "20140510"
    2 ETQ373 parameter "JOBENDTIME" = "163808"
    4 ETQ263 Batchjob "NTBUF_SYNC" finished successfully
    4 ETQ399 html file conversion from 'F:\SUM\abap\log\PARCONV.ELG' to 'PARCONV.html' succeeded.
    4 ETQ399 Starting dialog 'LogScanSummary' at 20140510163817.
    4 ETQ399 Dialog finished at 20140510163817.
    2 ETQ399 Operation 'delntabs' looking for pattern 'PL00....\.PRD'
    3 ETQ120 20140510163817: PID 6424 execute 'E:\usr\sap\PRD\DVEBMGS00\exe\tp "pf=F:\SUM\abap\var\DEFAULT.TPP" getconvent PRD', output written to 'F:\SUM\abap\log\TOOLOUT.LOG'.
    3 ETQ123 20140510163818: PID 6424 exited with status 0 (time 0.000 real)
    1 ETQ399 Conversion entries found:
    2 ETQ399 CONV ENTRY TBATG INDXANLA                          H9B0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXANLA                          HTG0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXANLZ                          H0M0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXBDS_PHIO                      2  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXBDS_PHPR                      HP60CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXBFOD_A                        HJW0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEBKN                          H0M0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXECMCA                         H140CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEDIQI                         DOC0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEINA                          H7Y0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEKKN                          H0M0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEKKN                          H130CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEKKN                          HKC0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEKKO                          HQ30CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXEQUZ                          K  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXESKL                          H1B0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXESSR                          HRJ0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXFDM_DCPROC                    HL50CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXFMEP                          HC80CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXFMEP                          HRJ0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXFPLTC                         HT00CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXGLPCA                         HFN0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXGLPCP                         HFN0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXHRPAD25                       0010CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXILOA                          H0M0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXILOA                          HDN0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXIMRG                          H2L0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXMLIT                          HOH0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXONROV                         H5F0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXPLKO                          A  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXPLMZ                          HDF0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXPLPO                          A  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXPLPO                          B  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADLSTRECH                    H0P0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADLSTRECH                    HER0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADR2                         A  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADRP                         B  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADRP                         C  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADRP                         D  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADRP                         E  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSADRP                         H5K0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMGLOPR01                    HP60CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMGPDIR                      2  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMGPDIR_CLNT                 H5R0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMGPHPR01                    HP60CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMGRECP01                    2  0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSCMG_T_CASE_ATTR              HU70CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSNWD_PO_I                     H4J0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSNWD_PO_SL                    H4J0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSNWD_SO_I                     H4J0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSNWD_SO_SL                    H4J0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSOST                          SND0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSRGBTBREL                     H0L0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSRGBTBREL                     HVK0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSRMRMSPDIR_CLNT               H5R0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSWN_NOTIF                     HI10CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSWN_NOTIF                     HST0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXSXMSPMAST2                    H370CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXVICDCFOBJ                     H3P0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXVICDCFOBJ                     HFB0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXVICDCFPAY                     H3P0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXVICDCFPAY                     HFB0CREIE20140508DDIC       
    2 ETQ399 CONV ENTRY TBATG INDXVSAFVC_CN                     HF50CREIE20140508DDIC       
    2 ETQ399 Requested task ID is 'COUNT_MODEFLAGS'.
    3 ETQ399 Generated TQL file 'DDXTTCNT.XQL' with 1 SQL statements, log file 'DDXTTCNT.LOG'.
    4 ETQ276 Executing SQL-script "DDXTTCNT.XQL"
    3 ETQ120 20140510163818: PID 12740 execute 'F:\SUM\abap\bin\SAPuptool execdb ..\var\DDXTTCNT.XQL', output written to 'F:\SUM\abap\log\SQLSTMTSTD.OUT'.
    3 ETQ123 20140510163818: PID 12740 exited with status 0 (time 0.000 real)
    3 ETQ399 Reading selections from 'DDXTTCNT.LOG'.
    4 ETQ399 Read 2 entries for table 'LIST'.
    2 ETQ399 Found 26 times modeflag 'F'.
    1EETQ399 Unhandled entries found in inactive nametab:
    2EETQ399 Modeflag 'F' appears 26 times
    2 ETQ399 Found 2284 times modeflag 'V'.
    4 ETQ010 Date & Time: 20140510163818 
    1EETQ399 Last error code set is: Unhandled mode flags found, check 'PARCONV.LOG' for details
    1EETQ203 Upgrade phase "PARCONV_UPG" aborted with errors ("20140510163818")
    Thakns in advance for your help !

    What does the log file F:\SUM\abap\log\NCONV00.PRD say ?
    Repeat the phase in SUM
    Regards
    RB

  • First execution of pl/sql block is slow.

    Hi,
    I've introduced TimesTen to improve performance of a pl/sql block in Oracle.
    For that I created certain cachegroups in TimesTen to cache the oracle data.
    After everything is done on TimesTen, when we run the pl/sql block on TimesTen, I observed that it is taking 35 Seconds ( against 48 secs on Oracle) for first time execution on Timesten.  Subsequent execution of same pl/sql block with same parameters are taking just 6 seconds. I want to achieve the same throughput ( 6 sec) when the pl/sql block is executed for the first time. Can you please suggest what exactly I should look into.
    Thanks
    Amit

    Thanks you so much Chris for your response.
    Please find the requested info here:
    1=>
    C:\TimesTen\tt1122_64\bin>ttversion
    TimesTen Release 11.2.2.5.0 (64 bit NT) (tt1122_64:53396) 2013-05-23T16:26:12Z
      Instance admin: shuklaam
      Instance home directory: C:\TimesTen\TT1122~1\
      Group owner: ES\Domain Users
      Daemon home directory: C:\TimesTen\TT1122~1\srv\info
      PL/SQL enabled.
    2, 3=>Complete DSN definition and CG definitions is available in the  doc here https://docs.google.com/file/d/0BxQyEfoOqCkDWVZmSG90NUd5bGM/edit?usp=sharing
    4=>I can't share the source code due to my company policies, but I'm explaining here what exactly it is doing.
    1. Based on the parameters to the proc, build a cursor, and fetch records from various tables.
    2. insert them into pl/sql tables.
    3. Do some calculations on those records, & calculate certain amounts.
    4. Insert these values into a temporary table, and display to the UI.
    At the same time, I found a metalink note 1272819.1 which stats this is a known phenomena. Not sure if setting DSN attribute MemoryLock=4 will resolve the issue.
    Also, I couldn't find this attribute in windows DSN definition any where. Can you please point me where exactly I need to set it.
    Thanks
    Amit

  • Error: "DoFunction fork failed" in the Messaging Server 3.x logs on Digital Unix or AIX

    Receiving error message DoFunction fork failed in the Messaging Server 3.x logs
    on Digital Unix or AIX.
    <P>
    The dxkerneltuner command is one way to raise the number of user
    processes on Digital Unix. Steps follow:
    <OL>
    <LI>Login as root (or su to root) on Digital Unix and execute the
    dxkerneltuner command.
    <P>An X-Windows window will pop up with a list of
    kernel subsystems (tuning categories).
    <P>
    <LI>Double-click the "proc" subsystem.
    <P>
    A child window will pop up, displaying parameters in that category, along with
    their associated values and limits. These should include parameters
    named "max-proc-per-user" and "max-threads-per-user", which are by default,
    64 and 267 respectively.
    <P>
    These should be replaced by values more
    consistent with the Messaging Servers resource requirements. Provided
    the default Messaging Server installation is used, more appropriate values
    for these parameters would be 640 and 2560 respectively.
    <P>
    <LI>To implement
    these new values, replace the value 64 with 640 for max-proc-per-user in the
    child window and replace the value 267 with 2560 for max-thread-per-user.
    <LI>Click OK on the child window and exit the parent window.
    <LI>Reboot Digital Unix to implement the kernel changes.

    I have bkp OD, trash server.app / reboot / install server.app again and working fine now.
    Thanks !

  • Menu Parameter does not work with MS SQL Server

    I need to create a “Menu Parameter” from a “List of Values supporting "All" and multiple selection. This parameter happens to be a list of funds. The DB is SQL Server.
    We have a stored function that takes a comma separated list of funds as a parameter. SQL Server 2005 does not support array lists as bind parameters to stored procs/functions so we do not have a choice.
    The Menu parameter is effectively a bind parameter but I cannot use it directly due to the sql server limitation mentioned above. I really only have 2 choices:
    1) Oracle could generate the comma separated list like many BI tools do. This does not seem to be an option but it could not hurt to ask is this is available.
    2) Convert the bind variable to a comma separated list prior to passing it into the function. This is what I have tried to do below. This also has a problem in that the @liststr variable goes out of scope during execution. I see the error in the BIPublisher logs. This query works fine in Toad and Aqua Data Studio but fails when I run the report complaining about an undefined variable @liststr.
    - Convert bind variable to comma separated list of values
    DECLARE @listStr VARCHAR(MAX)
    SET @liststr =
    SELECT COALESCE ( COALESCE(@listStr+',' ,'') + fgcode , @listStr)
    FROM FundGroup where fgcode in ('AOMF ALL')
    - Pass the csv into the function
    select *
    from PeriodPNLNoNAV('1/1/2012', '1/31/2012', @listStr, '')
    order by fgdesc

    Hi Martin.
    I try to resolve this problem ( sqlserver masking) but I can't found the OBE mentioned.
    You or anyone have examples about masking MS SQLServer, because in the Oracle documentation suggest that is possible but not "how do it", except the use of heterogeneous services.
    Thanks in advance.
    D.

Maybe you are looking for

  • How to know that a form is running in query-only mode

    I have a form that can run in query-only mode or non-query-only mode depending on the current user who logs in, and I want to change its apprearance dynamically when it's in different modes (for example, enable or disable buttons). Is there a built-i

  • CANNOT GET ONLINE NEWTROK PREFERANCES WONT OPEN AT ALL

    Ok this is very urgent, but this is what happend. I deleted the SystemPreferences folder by accident, Like i tried to delete it and it would not let me, So I restarted the mac, when it booted back up, my wifi was no longer connected, and it was no lo

  • Wrong sync key error

    i keep getting wrong sync key error after i click finish on "Setup Complete." i have tried resetting the sync key. nothing works.

  • Sales order CIF performance

    Hello SCM experts, We are trying to CIF initial load of sales orders for 2 materials; Each material has Variant configuration. There are 25 APO relevant VC characteristics for each material. Therefore, total volume of VC materials = 2 Each material h

  • How do you open raw files (NEF from Nikon) in the edit workspace on Elements 8

    how do I get raw NEF files (from Nikon) to open in the edit workspace of elements 8?  I have windows 7 , and when I try to open NEF raw files from the viewer, it says cannot recognize the file type. Thanks!