Error in SE16n - PIR exsist only in EINE table & does not exist in EINA tab

Hello All,
This is regarding error in Pucrahsing Info Record in which PIR only exist in EINE table & not in EINA table. This is not normal behavior of SAP standard.
In this issue we are able to see P. Info Record (5300083719) details in EINE table only.
But the same PIR does not exist in EINA table .
Also we can not see this in display mode(ME13) & system does not allow us to change PIR. System gives the error message that PIR does not exist.
This is something strange. Can you pls. reply on this.
Thanks in advance.
Mahesh
9869633910

Hello,
The PIR No is availabe in EINE (pur org data) and the same PIR is not availabe in EINA table( General data ).
This is Program error. bcz some times system will not get the correct PIR no while creating the PO, in that time system will create new PIR , that no is from buffer table..
And you cannot track that buffer table....... If you want to check the  on that day,, how many PO's were created for that same combination of material and vendor.
Regards
Mahesh Naik.

Similar Messages

  • Error: For object RF_BELEG 9000, number range interval 92 does not exist FB

    Hi,
    When I am executing AFAB in test run mode for a particular company code I am getting below mentioned error:
    +For object RF_BELEG 9000, number range interval 92 does not exist FBN1+
        +Message no. NR751+
    +Diagnosis+
        +The database table NRIV has the delivery class 'C', i.e. the SAP default+
        +settings are only in client 000.+
    +Procedure+
        +Create the missing number range interval in customizing.+
        +Transaction code: FBN1+
    When I maintain number range 92 this error goes away. My question is we have no where assigned this number range 92 to any of the Document type then why system is asking to maintain the same?
    Sanjay

    Hi,
    You might be using the number range (say 92 which you've created in GL view & not in ENTRY view).
    Steps:
    Go to Define Document Number Ranges for Entry View OR use T-code FBN1.   Maintain & Assign two Number Ranges say 91 & 92 one for Document Type AF and another for AE for both the non-leading Ledgers say Y1 & Y2 ( Define Document Type for Entry VIew in a ledger). Also assign a number range to
    Document type SX (Closing Posting) apart from the above two Number Ranges (91 & 92)
    Hopefully it works for You............
    Dipti

  • Table does not exist error

    create table dytab(x number);
        create or replace procedure p_testdytab(p_tab in varchar2)
        is
        begin
        execute immediate ' create table dytab2 as select x from p_tab';
        end p_testdytab;
        begin
        p_testdytab('dytab');
        end;
        /why the procedure is not replacing parameter p_tab with the table name ? I get table does not exist error

    Hi,
    user650888 wrote:
    create table dytab(x number);
    create or replace procedure p_testdytab(p_tab in varchar2)
    is
    begin
    execute immediate ' create table dytab2 as select x from p_tab';
    end p_testdytab;
    begin
    p_testdytab('dytab');
    end;
    /why the procedure is not replacing parameter p_tab with the table name ? I get table does not exist errorAnything inside single-quotes is literally what is written. In this case, p_tab is inside single-quotes, so p_tab doesn't stand for some other value, such as 'dytab'; it literally means p_tab,
    If you really must use EXECUTE IMMEDIATE, then don't put the variable name inside the single-quotes.
    dynamic_txt := 'create table dytab2 as select x from ' || p_tab;
    dbms_output.put_line (dynamic_txt || ' = dynamic_txt');
    EXECUTE IMMEDIATE dynamic_txt;Whenever you write dynamic SQL, display it before executing it, at least during testing. That way, you can see exactly what is being executed, which is a huge help when it causes an error.
    As Tubby said, creating tables in PL/SQL is usually a very bad idea. Whatever you need to do, Oracle probably has a simpler, more robust way to do it. Say what your business requirements are, and someone will help you find a good way to do what you need.

  • Web-dynpro application -ERROR: ICF service node "/sap/bc/webdynpro/sap/zqm_cto_arr_general1" does not exist (see SAP Note 1109215) (termination: ERROR_MESSAGE_STATE)

    i have created my web-dynpro application in development. and sent to quality . whenever i will execute my dynpro in quality  i got one message
    ERROR: ICF service node "/sap/bc/webdynpro/sap/zqm_cto_arr_general1" does not exist (see SAP Note 1109215) (termination: ERROR_MESSAGE_STATE)
    whenever i saw  sicf  transaction my web-dynpro is not seen . my dynpro application name is more then 15 character. what i will do . please give me valuable suggestion.....

    Hi Ashok,
                   for your requirement the application is not exist in particular place. It means, the webdynpro application is saved at different package or different location.
                  Please change the webdynpro component name and save it in particular request in package, then transport it to quality ..(development server )
    then go to SICF  t.code .. sap->bc->webdynpro->sap->find  out your application and activate the service of your webdynpro application.
    Now test it ... this solution might helpful to you .
    Regards,
    Naveen M

  • Select from 1 table only if a value does not exist

    Hello all,
    I'm having problems devising a single select statement to accomplish a single return value. I have tried variations of DECODE and COALESCE, but it's escaping me.
    I have two tables that are as follows:
    NAME
    ID, FULLNAME
    1, Senior
    2, Junior
    3, Mister
    4, Senor
    5, Miss
    ABBREVIATION
    ID, ABBREV
    1, Sr
    2, Jr
    3, Mr
    5, Ms
    What I would like to do is select from the NAME table only if the value does not exist in the ABBREVIATION table.
    Ideally if I were to do something such as:
    SELECT * FROM .... WHERE (ID=1 or ID=2 or ID=4) ....
    I would receive the following output:
    1, Sr
    2, Jr
    4, Senor
    Thanks for reading!

    You want an outer join.
    SELECT decode(a.abbrev, NULL, n.fullname, a.abbrev)
    FROM name n,
    abbreviation a
    WHERE n.ID = a.ID(+)
      AND ....Something like that.
    Full example:
    with n as (
    select 1 as ID, 'Senior' as FULLNAME from dual UNION ALL
    select 2 as ID, 'Junior' as FULLNAME from dual UNION ALL
    select 3 as ID, 'Mister' as FULLNAME from dual UNION ALL
    select 4 as ID, 'Senor' as FULLNAME from dual UNION ALL
    select 5 as ID, 'Miss' as FULLNAME from dual),
    a as (
    select 1 as ID, 'Sr' as ABBREV from dual UNION ALL
    select 2 as ID, 'Jr' as ABBREV from dual UNION ALL
    select 3 as ID, 'Mr' as ABBREV from dual UNION ALL
    select 5 as ID, 'Ms' as ABBREV from dual)
    select decode(a.abbrev, NULL, n.fullname, a.abbrev)
    from a, n
    where n.id = a.id(+)
    order by n.id;
    ID                     DECODE(A.ABBREV,NULL,N.FULLNAME,A.ABBREV)
    1                      Sr                                       
    2                      Jr                                       
    3                      Mr                                       
    4                      Senor                                    
    5                      Ms                                       
    5 rows selectedEdited by: tk-7381344 on Nov 17, 2008 1:31 PM

  • Error while creating folder: Path is invalid because folder does not exist

    Hi,
    I am having an issue while creating Folders in ID, when I create folder Structure like EDI -> VENDOR -> DELL I am getting the error as below:
    Path /EDI/VENDOR/DELL/ is invalid because folder VENDOR does not exist
    So first 2 levels of folder structure is fine and when I create third level (DELL) I get the above error. Any idea how to resolve this or is this the limitation?
    We have
    Service Pack:06
    Release:NW711_06_REL
    Thanks,
    Laxman

    Hi Laxman,
    Kindly try to refresh the SLD cache by going to Environment -> Clear SLD Data Cache. Make sure that the Cache Status are all in green.
    Hope this would help.
    Regards,
    Jenny

  • Error 'The application id or shortname (-1) you entered does not exist.'

    Hello,
    When I run the OA page it opens without any errors,but I delegate to Other page for insert record it showing following Error
    , Please help me to resolve this error.
    oracle.apps.fnd.framework.OAException: The application id or shortname (-1) you entered does not exist.
         at oracle.apps.fnd.framework.webui.OAPageErrorHandler.prepareException(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at OA.jspService(_OA.java:87)
         at com.orionserver.http.OrionHttpJspPage.service(OrionHttpJspPage.java:59)
         at oracle.jsp.runtimev2.JspPageTable.service(JspPageTable.java:462)
         at oracle.jsp.runtimev2.JspServlet.internalService(JspServlet.java:594)
         at oracle.jsp.runtimev2.JspServlet.service(JspServlet.java:518)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:856)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:713)
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:370)
         at com.evermind.server.http.ServletRequestDispatcher.unprivileged_forward(ServletRequestDispatcher.java:259)
         at com.evermind.server.http.ServletRequestDispatcher.access$100(ServletRequestDispatcher.java:51)
         at com.evermind.server.http.ServletRequestDispatcher$2.oc4jRun(ServletRequestDispatcher.java:193)
         at oracle.oc4j.security.OC4JSecurity.doPrivileged(OC4JSecurity.java:283)
         at com.evermind.server.http.ServletRequestDispatcher.forward(ServletRequestDispatcher.java:198)
         at com.evermind.server.http.EvermindPageContext.forward(EvermindPageContext.java:392)
         at OA.jspService(_OA.java:80)
         at com.orionserver.http.OrionHttpJspPage.service(OrionHttpJspPage.java:59)
         at oracle.jsp.runtimev2.JspPageTable.service(JspPageTable.java:462)
         at oracle.jsp.runtimev2.JspServlet.internalService(JspServlet.java:594)
         at oracle.jsp.runtimev2.JspServlet.service(JspServlet.java:518)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:856)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:713)
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:370)
         at com.evermind.server.http.HttpRequestHandler.doProcessRequest(HttpRequestHandler.java:871)
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:453)
         at com.evermind.server.http.HttpRequestHandler.serveOneRequest(HttpRequestHandler.java:221)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:122)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:111)
         at oracle.oc4j.network.ServerSocketReadHandler$SafeRunnable.run(ServerSocketReadHandler.java:260)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    Regards,
    Kapil

    Helllo Friends,
    Issue get resolved. On page, there was one field with Item Style 'MessageLOVInput' and I had not given a source for 'External LOV' to that field.
    Thanks,
    Kapil

  • Error After creating 2 new wagetypes.0015 40 00E7 does not exist in T512Z

    Hi Experts,
    I have created 2 new wagetypes.They are properly transported to Quality server.
    And the amount is calculting correctly in Qual server for infotype 0015.Basis guys has transported that request to production server.
    Now  i am unable to find the wagetypes  which i have created.When i go to pa30 and  select 0015 Infotype and subtype 00E7 ,it is saying that specified subtype is invalid.When i try to create  it is giving message that  0015 40 00E7 does not exist in T512Z-Check your entry.Really there is no particular wagetypes in that table.But in Quality they were there.
    What could be the problem.What can i  do to appear those wagetypes in Production Sysytem.
    Please advice me to resolve the issue.
    Thanking You.
    Sai.
    Reg

    Dear Vicky,
    If you have this entry in Q system it should be request transfer issue. I have such a cases sometimes.
    I recommend go to D system, delete the record from V_T512Z and save the table. System will ask you to create a new request. Create it and put your changes into. Go out of table and come back and create the same record into it save your changes.
    Release your request and transfer it again to Q and P. Hope to see  the record in P system.
    Otherwise do the method Okan recommended thru SM30. It works also but sometimes recreating the records are the only solution as I know
    Regards,
    Omid

  • Error While Generating Form-16 (HR_INF16_2012_B in language EN does not exist)

    Dear Experts
    My client is using SAP ECC6 EHP4 and We recently updated the HR Service Pack to SAPK-60464INSAPHRCIN in order to apply the SAP Note 1829618 - PY-IN: Union Budget Changes for Year 2013.
    After upgrading Service Pack we are getting the below error while generating Form-16.
    Layout set HR_INF16_2012_B in language EN does not exist
    How to resolve this issue
    Thanks

    This a Blunder from SAP. And this issue we are getting in almost all the client.
    For this we have to download respective Form from Golder client 000 and upload again in our working client.
    Better please raise an OSS message with SAP to provide you the steps.
    Thanks & Regards
    Rupesh Jain

  • Merchandising Deployment Fails w/ Table does not exist error

    Very intermittently, our Merchandising Deployments fail.
    After successfully inserting records into a target table (e.g. dcs_sku), it suddenly fails and the logs show an Oracle error about said table missing.
    The table exists. It's there. We realize this is very strange.
    Has anybody else encountered this? The stacktrace is below:
    09:29:24,077 ERROR [ProductCatalog_staging] SQL Statement Failed: [++SQLInsert++]
    INSERT INTO dcs_sku(sku_id,version,creation_date,start_date,end_date,display_name,description,sku_type,fulfiller,nonreturnable)
    VALUES(?,?,?,?,?,?,?,?,?,?)
    -- Parameters --
    p[1] = {pd} sku12345 (java.lang.String)
    p[2] = {pd: version} 1 (java.lang.Integer)
    p[3] = {pd: creationDate} 2011-08-08 11:54:59.0 (java.sql.Timestamp)
    p[4] = {pd: startDate} null
    p[5] = {pd: endDate} null
    p[6] = {pd: displayName} Sku Description (java.lang.String)p[7] = {pd: description} null
    p[8] = {pd: type} 0 (java.lang.Integer)
    p[9] = {pd: fulfiller} 0 (java.lang.Integer)
    p[10] = {pd: nonreturnable} false (java.lang.Boolean)
    [--SQLInsert--]
    09:29:24,197 ERROR [DeploymentManager] item = repositoryMarker:mark2455397 cause = CONTAINER:atg.deployment.DistributedDeploymentException; SOURCE:CONTAINER:atg.repository.RepositoryException; SOURCE:java.sql.SQLException
    : ORA-00604: error occurred at recursive SQL level 1
    ORA-00942: table or view does not exist
    at atg.deployment.repository.RepositoryWorkerThread.processMarkerForAddUpdatePhase(RepositoryWorkerThread.java:245)
    at atg.deployment.DeploymentWorkerThread.processMarkerPhase(DeploymentWorkerThread.java:521)
    at atg.deployment.DeploymentWorkerThread.run(DeploymentWorkerThread.java:300)
    message = Deployment Failed time = Fri Aug 12 09:29:24 PDT 2011 atg.deployment.DeploymentFailure@3d938aa9
    CAUGHT AT:
    CONTAINER:atg.deployment.DistributedDeploymentException; SOURCE:CONTAINER:atg.repository.RepositoryException; SOURCE:java.sql.SQLException: ORA-00604: error occurred at recursive SQL level 1
    ORA-00942: table or view does not exist
    at atg.deployment.repository.RepositoryWorkerThread.processMarkerForAddUpdatePhase(RepositoryWorkerThread.java:245)
    at atg.deployment.DeploymentWorkerThread.processMarkerPhase(DeploymentWorkerThread.java:521)
    at atg.deployment.DeploymentWorkerThread.run(DeploymentWorkerThread.java:300)
    Caused by: CONTAINER:atg.repository.RepositoryException; SOURCE:java.sql.SQLException: ORA-00604: error occurred at recursive SQL level 1
    ORA-00942: table or view does not exist
    at atg.adapter.gsa.GSAItemDescriptor.addItem(GSAItemDescriptor.java:6416)
    at atg.adapter.gsa.GSARepository.addItem(GSARepository.java:1010)
    at atg.deployment.repository.RepositoryWorkerThread.deployItem(RepositoryWorkerThread.java:1071)
    at atg.deployment.repository.RepositoryWorkerThread.processMarkerForAddUpdatePhase(RepositoryWorkerThread.java:233)
    ... 2 more
    Caused by: java.sql.SQLException: ORA-00604: error occurred at recursive SQL level 1
    ORA-00942: table or view does not exist
    at oracle.jdbc.driver.SQLStateMapping.newSQLException(SQLStateMapping.java:70)
    at oracle.jdbc.driver.DatabaseError.newSQLException(DatabaseError.java:131)
    at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:204)
    at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:455)
    at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:413)
    at oracle.jdbc.driver.T4C8Oall.receive(T4C8Oall.java:1034)
    at oracle.jdbc.driver.T4CPreparedStatement.doOall8(T4CPreparedStatement.java:194)
    at oracle.jdbc.driver.T4CPreparedStatement.executeForRows(T4CPreparedStatement.java:953)
    at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:1222)
    at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:3387)
    at oracle.jdbc.driver.OraclePreparedStatement.executeUpdate(OraclePreparedStatement.java:3468)
    at oracle.jdbc.driver.OraclePreparedStatementWrapper.executeUpdate(OraclePreparedStatementWrapper.java:1062)
    at org.jboss.resource.adapter.jdbc.WrappedPreparedStatement.executeUpdate(WrappedPreparedStatement.java:278)
    at atg.adapter.gsa.SQLStatement.executeUpdate(SQLStatement.java:725)
    at atg.adapter.gsa.Table.insert(Table.java:1378)
    at atg.adapter.gsa.GSAItemDescriptor.addItem(GSAItemDescriptor.java:6339)
    ... 5 more
    thanks!
    Joe

    We ran into a similar ORA-00942 issue when statements hitting the same table with the same SQL worked fine before and after. This was happening to us in production, and flushing the shared pool made them go away immediately.
    Research led to this link that has a patch that you can try to apply: http://www.freelists.org/post/oracle-l/Not-as-straightforward-as-it-would-appear-exec-java-javasqlSQLException-ORA00942-table-or-view-does-not-exist,3

  • API Error: table does not exists

    Hello every one,
    I have a procedure to load the learning management data history through API. I get error that the table or view does not exists which I don't know why.
    Here is my procedure:
    CREATE OR REPLACE PROCEDURE OLM_CLASS_HISTORY
    AUTHID CURRENT_USER AS
    lv_BOOKING_ID NUMBER;
    lv_BOOKING_STATUS_TYPE_ID NUMBER;
    lv_EVENT_ID NUMBER;
    lv_PERSON_ID NUMBER;
    lv_DATE_BOOKING_PLACED DATE;
    lv_OBJECT_VERSION_NUMBER NUMBER;
    lv_FINANCE_LINE_ID NUMBER;
    CURSOR C1 IS
    SELECT OLM_NUMBER,
    OLM_DATE_OF_CLASS,
    OLM_CLASS
    FROM OLM_HISTORY_CLASS;
    BEGIN
    FOR C1_REC IN C1
    LOOP
    begin
    select PAF.PERSON_ID INTO lv_PERSON_ID
    from PER.PER_ALL_PEOPLE_F PAF
    where PAF.EMPLOYEE_NUMBER= C1_REC.OLM_NUMBER
    and to_date (C1_REC.OLM_DATE_OF_CLASS, 'DD-Mon-YY HH24:MI:SS ')
    between to_date(paf.effective_start_date, 'DD-Mon-YY HH24:MI:SS')
    and to_date (paf.effective_end_date, 'DD-Mon-YY HH24:MI:SS');
    exception
    WHEN OTHERS THEN
    DECLARE
    error_code NUMBER :=SQLCODE;
    error_msg varchar2 (200) :=SUBSTR(SQLERRM,1,200);
    BEGIN
    DBMS_OUTPUT.PUT_LINE('.');
    DBMS_OUTPUT.PUT_LINE('PID Error: ' || error_code || ' - ' || error_msg);
    DBMS_OUTPUT.PUT_LINE('.');
    END;
    END;
    lv_DATE_BOOKING_PLACED:= C1_REC.OLM_DATE_OF_CLASS;
    BEGIN
    SELECT DISTINCT AOET.EVENT_ID INTO lv_EVENT_ID
    FROM APPS_APPLMGR.ota_events_tl AOET
    WHERE
    AOET.TITLE = C1_REC.OLM_CLASS;
    exception
    WHEN OTHERS THEN
    DECLARE
    error_code NUMBER :=SQLCODE;
    error_msg varchar2 (200) :=SUBSTR(SQLERRM,1,200);
    BEGIN
    DBMS_OUTPUT.PUT_LINE('.');
    DBMS_OUTPUT.PUT_LINE('EID Error: ' || error_code || ' - ' || error_msg);
    DBMS_OUTPUT.PUT_LINE('.');
    END;
    END;
    dbms_output.put_line('Event id:'||lv_event_id);
    dbms_output.put_line('Person id:'||lv_person_id);
    dbms_output.put_line('Booking date:'||lv_date_booking_placed);
    dbms_output.put_line('Ovn:'||lv_object_version_number);
    dbms_output.put_line('Finance line id:'||lv_finance_line_id);
    BEGIN
    APPS_APPLMGR.OTA_DELEGATE_BOOKING_API.CREATE_DELEGATE_BOOKING (P_VALIDATE => FALSE,
    P_EFFECTIVE_DATE => trunc(sysdate),
    P_BOOKING_ID => lv_BOOKING_ID,
    P_BOOKING_STATUS_TYPE_ID => '1016',
    p_delegate_person_id => lv_PERSON_ID,
    p_contact_id => NULL,
    P_BUSINESS_GROUP_ID => '0',
    P_EVENT_ID => lv_EVENT_ID,
    P_DATE_BOOKING_PLACED => lv_DATE_BOOKING_PLACED,
    P_INTERNAL_BOOKING_FLAG => 'Y',
    p_number_of_places => '1',
    P_OBJECT_VERSION_NUMBER => lv_OBJECT_VERSION_NUMBER,
    P_SUCCESSFUL_ATTENDANCE_FLAG => 'Y',
    P_FINANCE_LINE_ID => lv_FINANCE_LINE_ID);
    exception
    WHEN OTHERS THEN
    DECLARE
    error_code NUMBER :=SQLCODE;
    error_msg varchar2 (200) :=SUBSTR(SQLERRM,1,200);
    BEGIN
    DBMS_OUTPUT.PUT_LINE('.');
    DBMS_OUTPUT.PUT_LINE('API Error: ' || error_code || ' - ' || error_msg);
    DBMS_OUTPUT.PUT_LINE('.');
    END;
    END;
    END LOOP;
    COMMIT;
    --rollback;
    END;
    and now when I run this procedure,I am getting this error:
    PID Error: 100 - ORA-01403: no data found
    Event id:5684
    Person id:12530
    Booking date:14-DEC-11 00:00:00
    Ovn:
    Finance line id:
    API Error: -942 - ORA-00942: table or view does not exist
    I don't know if it is API which is making problem or my code. Please advice.
    Thanks,

    You are creating the procedure in which schema.
    does this user has permission to access the objects specified in the code.
    the issue must be with your code not the ebs api

  • Error in EA13 (Single Reversal of Print Documents) : 'TE508 does not exists

    HI All,
    When reversing an individual invoice in EA13, an error comes up in the log. Though the invoice has been successfully reversed.
    The following error is displayed 'TE508 does not exist'
    Any reasons
    Regards,
    Rahul

    The following error is displayed 'TE508 does not exist'
    Check the settings in spro
    contract billing>Billing master data>activate display mode for Billing key date.
    try to do with reverse selection.
    Regds,
    Narendar Konakanchi

  • Error trying to recreate OEM dbconsole in 11GR2 - aux_stats$ does not exist

    I created a blank 11GR2 database, then created tablespaces, users etc. and imported schema's from 9i export. So far so good.
    Now I can't connect to the OEM dbconsole, all arrows are green, instance up, listener up etc. but says it cant connect.
    Ok, recreate dbsonsole , first drop sysman, dbsmp cascade etc, then run emca -deconfig dbcontrol db -repos drop - seemed to go ok
    then run emca -config db -repos create - it asks for passwords etc, all ok so far, then craps out, I look in the logfile and see this:
    GRANT SELECT, INSERT, UPDATE, DELETE ON AUX_STATS$ TO SYSMAN
    ERROR at line 1:
    ORA-00942: table or view does not exist
    So now what? Why would it try to grant access to a table or view that does not exist? Did I miss something here?
    thanks

    This will give you the complete picture of Grid Certification.
    Oracle Enterprise Manager 10g Grid Control Certification Checker
    https://metalink2.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=412431.1
    Is there a workaround or a version that will install on 2008 x64?Well, no OMS has been certified with this version as of now. You can have 10.2.0.3/4 OMS on 2008(32 Bit)
    10.2.0.4 Agent is certified with 2008 64 bit.

  • EWT Error: Business place/Section Code TAN1 in company code  does not exist

    Hi all
    Could I have the configuration required for EWH Tax .
    Business Place has been configured in Korea and also Section Code defined. No. Range Groups, No. Ranges were defined and assigned for Remittance Challans and Certificates.
    I posted an invoice by F-43 and tried to Create Remittance Challan by J1INCHLN, after filling all the required fields and having 'executed', the system gives an error:
    "Business Place for document could not be determined"
    Message no. 8I707
    Could anyone guide me through how to come out of this problem.
    I Created following step created
    Define Business Place
    Com.code     Sec Code      Name1
    LA01          TAN1          Head Office
    Define Section Code
    Sec Code  Name1            Busi Place   Name 1                       Local Tax Code     Dis.Tax Office
    TAN1     Head Office     HOLA     Head Office for LA01     LA1                   LA1
    Thanks & Regards
    Selva

    Hi All
    I already created in Business place  and assign business place  also
    But any way i am getting  error, please  let me how to close this issue
    Define Business Place
    Busi.Place     Name1
    HOLA          Head Office for LA01
    Define Section Code
    Sec Code   Name1             Busi Place   Name 1                         Local Tax Code         Dis.Tax Office
    TAN1      Head Office     HOLA        Head Office LA01          LA1                               LA1
    Thanks & Regards
    Selva

  • BEX Query error at Program SAPLRSDU_UTIL_DB2 - 'Table Does not Exist'

    Hello all,
    My BEX Query was running fine till yesterday in QAS system, but today when i try to execute either in RSRT/Analyzer i am seing this error:
    Runtime Errors         RAISE_EXCEPTION
    Date and Time          10/26/2011 14:03:44
    What happened?
         The current ABAP/4 program encountered an unexpected
         situation.
    Error analysis
         A RAISE statement in the program "SAPLRSDU_UTIL_DB2" raised the exception
         condition "TABLE_DOES_NOT_EXIST".
         Since the exception was not intercepted by a superior
         program, processing was terminated.
         Short description of exception condition:
         For detailed documentation of the exception condition, use
         Transaction SE37 (Function Library). You can take the called
         function module from the display of active calls.
    Trigger Location of Runtime Error
         Program                                 SAPLRSDU_UTIL_DB2
         Include                                 LRSDU_UTIL_DB2U35
         Row                                     41
         Module type                             (FUNCTION)
         Module Name                             RSDU_GET_PARTITIONING_TYPE_DB2
    Any suggestion?
    I would really appreciate you help!
    Thanks,
    DC

    Thanks you all for your response!.
    Checked the Info providers, Tranformations - All are active.
    Couple of reports which are based out of same MultiProvider are giving the same issue.
    I could figure out where the problem is!
    There is a RKF (in all the error giving queries) and 'GL Account' has been restricted with a Heirarchy 'ZZ21430  in it - but this restricted hierarcy is missing in 'RSH1'.
    Dev system - 'ZZ21430' doesnt exist in RSH1 and query doesnt give any error, is running fine.
    QAS system - 'ZZ21430' doesnt exist RSH1 and query is giving error!
    What could be the reason for this?
    I would appreciate your help!
    Thanks,
    DC

Maybe you are looking for

  • 1010NR HP Mini - Not recognizing 64GB SSD

    HP MINI 1010NR- Part Number FT315UA -8GB Solid State Drive Running Windows XP Home Edition Continually low on disk space but I love this computer so I didn't want to replace it. I got a SaberTooth-Z 64GB SSD from www.activemp.com using their "SSD Sel

  • Syntax error in upgrade

    Hi . How to resolve this syntax error in upgrade 7.0 ? FIELD-SYMBOLS: <t_zsrm_change> LIKE LINE OF t_zsrm_change. APPEND <t_zsrm_change> TO change_item.     AT END OF <t_zsrm_change>-logsys. Error :  <t_zsrm_change>-logsys is not defined as field sym

  • Adobe PDF - Filling a table

    I am trying to determine why I can't get a table to fill on a PDF.  I have my own PDFs and a table on each.  No matter what I do I can't get the table to be populated.  I try through my program and I tried through the form test tool.  Then I assumed

  • Export adf faces to Excel

    Hi All, Does anybody how to export adf table records to excel without using DCIteratorBinding. i want to implement in Backing Bean is it possible?

  • Is ctx_ddl.sync_index an offline operation?

    Sorry if the answer to this is staring at me in the documentation: I couldn't find it if so. We run Standard Edition 11.2.0.1, so RECREATE_INDEX_ONLINE is not available to us. Instead, we regularly (about every 2 hours) use ctx_ddl.sync_index to get