Semantic Error with ProC for a granted package

Hi,
we are now switching to Oracle 11gR2, and I encounter an error when precompiling our ProC code.  The error is PLS-S-00201, identifier 'XXXXXX' must be declared.
Let me explain what I do.
The identifier in question is a package.  The owner of this package is a schema user USER1.  In the same database instance, I have an other schema user, USER2.
USER1 granted EXECUTE to USER2.  And a SYNONYM has been created for USER2.  So now, connecting with USER2 with SqlDeveloper, I can see the synonym from the granted package.
When precompiling with ProC, I use the SQLCHECK=SEMANTICS USERID=USER2/PWD@INSTANCE.
Other flags are : DBMS=V8 CHAR_MAP=VARCHAR2 ireclen=80 oreclen=80 parse=NONE select_error=NO maxliteral=1024 maxopencursors=10 ltype=NONE release_cursor=YES
This is when I get the error.  I must connect with USER2, because it is the main schema, and only a package is in another schema.  But if I change the USERID for ProC to USER1, and precompile only the part of the code that need USER1, it works (same package here, but in the owner schema).  It seems there is a problem with the GRANT.
Does anyone have any idea ?
Thank you.
Jessy Saint.

Of course, it was the ovious.  The grant was removed from someone else, testing something else.  The problem with big dev teams using the same databases....
Thanks again.

Similar Messages

  • [SOLVED] Error with PKGBUILD for package hash-identifier

    Hi,
    I tried to install the package hash-identifier.
    While running makepkg -s, there is an error:
    ==> ERROR: PKGBUILD contains CRLF characters and cannot be sourced.
    I guess this is due to the New Line character at line 17 of the PKGBUILD:
    sed -e 's|
    ||g' -i Hash_ID_v${pkgver}.py
    So I remove it, but then I get this other error and I don't know what to do with it:
    ==> Extracting sources...
    ==> Starting prepare()...
    sed: -e expression #1, char 0: no previous regular expression
    ==> ERROR: A failure occurred in prepare().
    Aborting...
    Last edited by PâtéDeCerf (2015-03-11 08:18:34)

    Thanks for your reply. I'm not familiar with package build syntax nor python, so I don't understand everything you wrote.
    It would be good if you could explain more clearly though.
    By applying the change you propose, I was able to build the package and install it.
    NB: To run the program, type from the command-line :
    $ hash-id
    ...and not simply "hash-identifier"
    Last edited by PâtéDeCerf (2015-03-11 08:21:10)

  • A question about error with jasperserver for pdf and Apex

    I have created a pdf report on jasperserver and I can call it from apex via a url and it displays fine. The url is this format {http://server:port/jasperserver/flow.html?_flowId=viewReportFlow&reportUnit=/reports/Apex/deptemp&output=pdf&deptNo=#DEPTNO#&j_username=un&j_password=pw}
    However, I am trying to follow a stored procedure executed from Apex so it would not expose the username/pwd in the url like above.
    If I am reading the apache error log correctly it is erroring in this piece of the code below where it executes {Dbms_Lob.writeAppend}
    loop
    begin
    -- read the next chunk of binary data
    Utl_Http.read_raw(vResponse, vData);
    -- append it to our blob for the pdf file
    Dbms_Lob.writeAppend
    ( lob_loc => vBlobRef
    , amount => Utl_Raw.length(vData)
    , buffer => vData
    exception when utl_http.end_of_body then
    exit; -- exit loop
    end;
    end loop;
    Utl_Http.end_response(vResponse);}
    The error log says this; HTTP-500 ORA-14453: attempt to use a LOB of a temporary table, whose data has alreadybeen purged\n
    What is this error telling me and how can I correct it?
    The stored procedure I am following is below but replaced the vReportURL with my url like above that works.
    Thank you,
    Mark
    {CREATE OR REPLACE procedure runJasperReport(i_deptno   in varchar2)
    is
    vReportURL       varchar2(255);
    vBlobRef         blob;
    vRequest         Utl_Http.req;
    vResponse        Utl_Http.resp;
    vData            raw(32767);
    begin
    -- build URL to call the report
    vReportURL := 'http://host:port/jasperserver/flow.html?_flowId=viewReportFlow'||
         '&reportUnit=/reports/Apex/deptemp'||
         '&output=pdf'||
         '&j_username=un&j_password=pw'||
         '&deptNo='||i_deptno;
    -- get the blob reference
    insert into demo_pdf (pdf_report)
    values( empty_blob() )
    returning pdf_report into vBlobRef;
    -- Get the pdf file from JasperServer by simulating a report call from the browser
    vRequest := Utl_Http.begin_request(vReportUrl);
    Utl_Http.set_header(vRequest, 'User-Agent', 'Mozilla/4.0');
    vResponse := Utl_Http.get_response(vRequest);
    loop
    begin
    -- read the next chunk of binary data
    Utl_Http.read_raw(vResponse, vData);
    -- append it to our blob for the pdf file
    Dbms_Lob.writeAppend
    ( lob_loc => vBlobRef
    , amount  => Utl_Raw.length(vData)
    , buffer  => vData
    exception when utl_http.end_of_body then
    exit; -- exit loop
    end;
    end loop;
    Utl_Http.end_response(vResponse);
    owa_util.mime_header('application/pdf',false);
    htp.p('Content-length: ' || dbms_lob.getlength(vBlobRef));
    owa_util.http_header_close;
    wpg_docload.download_file(vBlobRef);
    end runJasperReport;
    /}

    I am new to working with working with jasperserver to apex interfacing, and also using utl_http with binary data.
    But I guess typing my question down helped me figure out a way to make it work for me.
    I combined info from http://www.oracle-base.com/articles/misc/RetrievingHTMLandBinariesIntoTablesOverHTTP.php
    and from http://sqlcur.blogspot.com/2009_02_01_archive.html
    to come up with this procedure.
    {create or replace PROCEDURE download_file (p_url  IN  VARCHAR2) AS
      l_http_request   UTL_HTTP.req;
      l_http_response  UTL_HTTP.resp;
      l_blob           BLOB;
      l_raw            RAW(32767);
    BEGIN
      -- Initialize the BLOB.
      DBMS_LOB.createtemporary(l_blob, FALSE);
      -- Make a HTTP request, like a browser had called it, and get the response
      l_http_request  := UTL_HTTP.begin_request(p_url);
      Utl_Http.set_header(l_http_request, 'User-Agent', 'Mozilla/4.0');
      l_http_response := UTL_HTTP.get_response(l_http_request);
      -- Copy the response into the BLOB.
      BEGIN
        LOOP
          UTL_HTTP.read_raw(l_http_response, l_raw, 32767);
          DBMS_LOB.writeappend (l_blob, UTL_RAW.length(l_raw), l_raw);
        END LOOP;
      EXCEPTION
        WHEN UTL_HTTP.end_of_body THEN
          UTL_HTTP.end_response(l_http_response);
      END;
    -- make it display in apex
    owa_util.mime_header('application/pdf',false);
    htp.p('Content-length: ' || dbms_lob.getlength(l_blob));
    owa_util.http_header_close;
    wpg_docload.download_file(l_blob);
      -- Release the resources associated with the temporary LOB.
    DBMS_LOB.freetemporary(l_blob);
    EXCEPTION
      WHEN OTHERS THEN
        UTL_HTTP.end_response(l_http_response);
        DBMS_LOB.freetemporary(l_blob);
        RAISE;
    END download_file; }
    Don;t know what I did wrong, but I could not create an 'on-demand' process to call my procedure. I did not understand what it means when it says 'To create an on-demand page process, at least one application level process must be created with the type 'ON-DEMAND'.
    so I had to use a blank page with a call to my procedure in the onload - before header process and that seems to work ok.
    Thank you,
    Mark

  • Getting ORA-12518 error with DG4ODBC for link with SQL Server

    Hi all,
    We have recently upgraded a test box to 11g2 on a 64bit windows platform and now when setting up our database links with our sql servers we are recieving an 'ORA-12518' error.
    listener.ora
    LISTENERPCIS =
    (DESCRIPTION =
    (ADDRESS = (PROTOCOL = TCP)(HOST = WILTS-ORCL4)(PORT = 1522))
    SID_LIST_LISTENERPCIS =
    (SID_LIST =
    (SID_DESC =
    (PROGRAM = dg4odbc)
    (SID_NAME = PCIS)
    (ORACLE_HOME = c:\oracle\product\11.2.0\db_1)
    tnsnames.ora
    PCIS =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = WILTS-ORCL4)(PORT = 1522))
    (CONNECT_DATA =
    (SID = PCIS)
    (HS = OK)
    Any help appericated
    Cheers
    David

    C:\Users\administrator.ADMIN>tnsping pcis
    TNS Ping Utility for 64-bit Windows: Version 11.2.0.1.0 - Production on 24-JUN-2
    010 20:55:29
    Copyright (c) 1997, 2010, Oracle. All rights reserved.
    Used parameter files:
    C:\ORACLE\PRODUCT\11.2.0\DBhome_1\network\admin\sqlnet.ora
    Used TNSNAMES adapter to resolve the alias
    Attempting to contact (DESCRIPTION = (ADDRESS = (PROTOCOL = TCP)(HOST = localhos
    t)(PORT = 1522)) (CONNECT_DATA = (SID = PCIS)) (HS = OK))
    OK (0 msec)
    C:\Users\administrator.ADMIN>lsnrctl status LISTENERPCIS
    LSNRCTL for 64-bit Windows: Version 11.2.0.1.0 - Production on 24-JUN-2010 20:55
    :47
    Copyright (c) 1991, 2010, Oracle. All rights reserved.
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=localhost)(PORT=1522)))
    STATUS of the LISTENER
    Alias listenerpcis
    Version TNSLSNR for 64-bit Windows: Version 11.2.0.1.0 - Produ
    ction
    Start Date 24-JUN-2010 20:55:17
    Uptime 0 days 0 hr. 0 min. 30 sec
    Trace Level admin
    Security ON: Local OS Authentication
    SNMP OFF
    Listener Parameter File C:\ORACLE\PRODUCT\11.2.0\DBhome_1\network\admin\listen
    er.ora
    Listener Log File c:\oracle\product\11.2.0\diag\tnslsnr\WILTS-ORCL4\listenerpcis\alert\log.xml
    Listener Trace File c:\oracle\product\11.2.0\diag\tnslsnr\WILTS-ORCL4\listenerpcis\trace\ora_12216_2424.trc
    Listening Endpoints Summary...
    (DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=127.0.0.1)(PORT=1522)))
    (DESCRIPTION=(ADDRESS=(PROTOCOL=ipc)(PIPENAME=\\.\pipe\PNPKEYipc)))
    Services Summary...
    Service "PCIS" has 1 instance(s).
    Instance "PCIS", status UNKNOWN, has 1 handler(s) for this service...
    The command completed successfully
    C:\Users\administrator.ADMIN>dg4odbc
    Oracle Corporation --- THURSDAY JUN 24 2010 20:55:54.257
    Heterogeneous Agent Release 11.2.0.1.0 - 64bit Production Built with
    Oracle Database Gateway for ODBC
    C:\Users\administrator.ADMIN>

  • Error with Agent for Oracle 9i Developer Suite

    Hello!
    I installed the Oracle9i Developer Suite (Release 2, 9.0.2) and now have an error message from Windows when I start the PC. The message states that the program agntsrvc.exe isn't working. When I check in the services, under Conrol Panel, then adminstrative tools, I find the display for the 9i Developer Suite agent with the message 'stopping' for status, and automatic for startup type. Also, while it is in this state, my Outlook Express program won't start.
    Thus far, I handled it by right clicking on the agent name in Services and clicking start. This resulted in an error from Windows stating it couldn't start the program agntsrvc.exe. The display in the services status window for the 9i Developer Suite agent became blank, and now the Outlook Express program starts up.
    Any ideas are appreciated. So far, apparently the 9i Developer Suite agent is still not started, though the status field is still blank as I type this up.
    My operating system is XP Professional, with plenty of both RAM and hard disk space.
    Thanks very much,
    -- Bill Loggins

    Well, the errors are here... in Summit Application Setup, while importing the dump to oracle 9i database
    D:\summit>imp userid=summit/summit@sage file=summit.dmp full=y
    Import: Release 10.1.0.4.2 - Production on Tue Jul 8 22:01:47 2008
    Copyright (c) 1982, 2005, Oracle. All rights reserved.
    Connected to: Personal Oracle9i Release 9.2.0.1.0 - Production
    With the Partitioning, OLAP and Oracle Data Mining options
    JServer Release 9.2.0.1.0 - Production
    Export file created by EXPORT:V08.01.06 via conventional path
    import done in WE8MSWIN1252 character set and AL16UTF16 NCHAR character set
    export client uses US7ASCII character set (possible charset conversion)
    export server uses US7ASCII NCHAR character set (possible ncharset conversion)
    IMP-00003: ORACLE error 2248 encountered
    ORA-02248: invalid option for ALTER SESSION
    IMP-00000: Import terminated unsuccessfully

  • Error with JSF for Single Page in MY Project But rmaining pages are working

    SEVERE: Servlet.service() for servlet Faces Servlet threw exception
    javax.servlet.jsp.JspException: The absolute uri: http://java.sun.com/jsf/core cannot be resolved in either web.xml or the jar files deployed with this application
    at tags.templates.InsertTag.doEndTag(InsertTag.java:26)
    at org.apache.jsp.updatetpl_jsp._jspx_meth_template_insert_0(updatetpl_jsp.java:123)
    at org.apache.jsp.updatetpl_jsp._jspService(updatetpl_jsp.java:65)
    at org.apache.jasper.runtime.HttpJspBase.service(HttpJspBase.java:97)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
    at org.apache.jasper.servlet.JspServletWrapper.service(JspServletWrapper.java:322)
    at org.apache.jasper.servlet.JspServlet.serviceJspFile(JspServlet.java:291)
    at org.apache.jasper.servlet.JspServlet.service(JspServlet.java:241)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
    at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:252)
    at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
    at org.netbeans.modules.web.monitor.server.MonitorFilter.doFilter(MonitorFilter.java:362)
    at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:202)
    at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
    at org.apache.catalina.core.ApplicationDispatcher.invoke(ApplicationDispatcher.java:672)
    at org.apache.catalina.core.ApplicationDispatcher.processRequest(ApplicationDispatcher.java:463)
    at org.apache.catalina.core.ApplicationDispatcher.doForward(ApplicationDispatcher.java:398)
    at org.apache.catalina.core.ApplicationDispatcher.forward(ApplicationDispatcher.java:301)
    at com.sun.faces.context.ExternalContextImpl.dispatch(ExternalContextImpl.java:322)
    at com.sun.faces.application.ViewHandlerImpl.renderView(ViewHandlerImpl.java:130)
    at com.sun.faces.lifecycle.RenderResponsePhase.execute(RenderResponsePhase.java:87)
    at com.sun.faces.lifecycle.LifecycleImpl.phase(LifecycleImpl.java:200)
    at com.sun.faces.lifecycle.LifecycleImpl.render(LifecycleImpl.java:117)
    at javax.faces.webapp.FacesServlet.service(FacesServlet.java:198)
    at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:252)
    at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
    at org.netbeans.modules.web.monitor.server.MonitorFilter.doFilter(MonitorFilter.java:362)
    at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:202)
    at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
    at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:213)
    at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:178)
    at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:126)
    at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:105)
    at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:107)
    at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:148)
    at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:856)
    at org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.processConnection(Http11Protocol.java:744)
    at org.apache.tomcat.util.net.PoolTcpEndpoint.processSocket(PoolTcpEndpoint.java:527)
    at org.apache.tomcat.util.net.LeaderFollowerWorkerThread.runIt(LeaderFollowerWorkerThread.java:80)
    at org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadPool.java:684)
    at java.lang.Thread.run(Thread.java:595)
    update.jsp
    <%@page contentType="text/html"%>
    <%@page pageEncoding="UTF-8"%>
    <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
    <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
    <%--
    The taglib directive below imports the JSTL library. If you uncomment it,
    you must also add the JSTL library to the project. The Add Library... action
    on Libraries node in Projects view can be used to add the JSTL 1.1 library.
    --%>
    <%--
    <%@taglib uri="http://java.sun.com/jsp/jstl/core" prefix="c"%>
    --%>
    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
    "http://www.w3.org/TR/html4/loose.dtd">
    <f:view>
    <h:form id="customerform">
    <h:dataTable id="updatecustomers" value="#{data.updateModel}" var="updat">
    <h:column>
    <f:facet name="header">
    <h:outputText value="CustomerNumber"/>
    </f:facet>
    <h:inputText value="#{updat.customerNumber}"/>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="FirstName"/>
    </f:facet>
    <h:inputText value="#{updat.firstName}"/>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="LastName"/>
    </f:facet>
    <h:inputText value="#{updat.lastName}"/>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="StreetAddress"/>
    </f:facet>
    <h:inputText value="#{updat.streetAddress}"/>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="City"/>
    </f:facet>
    <h:selectOneMenu id="chooseCity" value="#{updat.city}"required="true">
    <f:selectItem itemValue="TVM" itemLabel="TVM"/>
    <f:selectItem itemValue="Cochin" itemLabel="Cochin"/>
    <f:selectItem itemValue="Bglr" itemLabel="Bglr"/>
    <f:selectItem itemValue="Mysore" itemLabel="Mysore"/>
    <f:selectItem itemValue="Calicut" itemLabel="Calicut"/>
    </h:selectOneMenu>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="State"/>
    </f:facet>
    <h:selectOneMenu id="chooseState" value="#{updat.state}"required="true">
    <f:selectItem itemValue="KL" itemLabel="Kerala"/>
    <f:selectItem itemValue="KA" itemLabel="Karanataka"/>
    </h:selectOneMenu>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="Zip"/>
    </f:facet>
    <h:inputText value="#{updat.zip}"/>
    </h:column>
    <h:column>
    <f:facet name="header">
    <h:outputText value="Save"/>
    </f:facet>
    <h:commandButton id="savesubmit" value="Save" action="#{data.saveData}">
    </h:commandButton>
    </h:column>
    </h:dataTable>
    </h:form>
    </f:view>
    web.xml
    <?xml version="1.0" encoding="UTF-8"?>
    <web-app version="2.4" xmlns="http://java.sun.com/xml/ns/j2ee" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://java.sun.com/xml/ns/j2ee http://java.sun.com/xml/ns/j2ee/web-app_2_4.xsd">
    <context-param>
    <param-name>com.sun.faces.verifyObjects</param-name>
    <param-value>false</param-value>
    </context-param>
    <context-param>
    <param-name>com.sun.faces.validateXml</param-name>
    <param-value>true</param-value>
    </context-param>
    <context-param>
    <param-name>javax.faces.CONFIG_FILES</param-name>
    <param-value>/WEB-INF/faces-config.xml</param-value>
    </context-param>
    <context-param>
    <param-name>javax.faces.STATE_SAVING_METHOD</param-name>
    <param-value>client</param-value>
    </context-param>
    <servlet>
    <servlet-name>Faces Servlet</servlet-name>
    <servlet-class>javax.faces.webapp.FacesServlet</servlet-class>
    <load-on-startup>1</load-on-startup>
    </servlet>
    <servlet-mapping>
    <servlet-name>Faces Servlet</servlet-name>
    <url-pattern>*.faces</url-pattern>
    </servlet-mapping>
    <!-- JSF Config Listener -->
    <listener>
    <listener-class>com.sun.faces.config.ConfigureListener</listener-class>
    </listener>
    <session-config><session-timeout>
    30
    </session-timeout></session-config>
    <welcome-file-list><welcome-file>
    index.jsp
    </welcome-file></welcome-file-list>
    <taglib>
         <taglib-uri>/WEB-INF/tlds/template.tld</taglib-uri>
         <taglib-location>/WEB-INF/tlds/template.tld</taglib-location>
    </taglib>
    </web-app>
    please help me i am working with net beaans............i have added all required .jar files with that.

    The question mark icon on the dlls indicates that LabVIEW is unsure of
    the location of the DLL, or is unable to locate the DLL on your
    system.  This can happen if the DLLs do not exist, or if the "Call
    Library Function Node" just specifies the name of the dll, and not the
    entire path to the dll.  IVI and Instrument driver VIs will
    typically not supply the entire path to the DLL, whch would cause the
    question mark icon to appear.
    If your application is working properly, then you should ignore the
    question mark in the dependencies list.  If your application is
    broken because the DLLs cannot be found, they are installed with the
    following drivers:
    ivi.dll is installed with the IVI compliance package, which is available at the following link:
    Drivers and Updates: IVI Compliance Package
    You should also install the latest version of NI-VISA, which is required by the IVI Compliance Package:
    Drivers and Updates: NI-VISA
    ag3325b_32.dll is installed with the your instrument's IVI driver, which can be found below:
    Agilent 3325b Instrument Driver
    Jason S.
    Applications Engineer
    National Instruments

  • BUG: 10.1.3..36.73 Internal Compile Error with enhanced for loop/generics

    I get the following compiler error when using the Java 5 SE enhanced for loop with a generic collection.
    Code:
    public static void main(String[] args)
    List<Integer> l = new ArrayList<Integer>();
    l.add(new Integer(1));
    printCollection(l);
    private static void printCollection(Collection<?> c)
    for (Object e : c)
    System.out.println(e);
    Error on attempting to build:
    "Error: Internal compilation error, terminated with a fatal exception"
    And the following from ojcInternalError.log:
    java.lang.NullPointerException
         at oracle.ojc.compiler.EnhancedForStatement.resolveAndCheck(Statement.java:2204)
         at oracle.ojc.compiler.StatementList.resolveAndCheck(Statement.java:4476)
         at oracle.ojc.compiler.MethodSymbol.resolveMethod(Symbol.java:10822)
         at oracle.ojc.compiler.RawClassSymbol.resolveMethodBodies(Symbol.java:6648)
         at oracle.ojc.compiler.Parser.resolveMethodBodies(Parser.java:8316)
         at oracle.ojc.compiler.Parser.parse(Parser.java:7823)
         at oracle.ojc.compiler.Compiler.main_internal(Compiler.java:978)
         at oracle.ojc.compiler.Compiler.main(Compiler.java:745)
         at oracle.jdeveloper.compiler.Ojc.translate(Ojc.java:1486)
         at oracle.jdeveloper.compiler.UnifiedBuildSystem$CompileThread.buildGraph(UnifiedBuildSystem.java:300)
         at oracle.jdeveloper.compiler.UnifiedBuildSystem$CompileThread.buildProjectFiles(UnifiedBuildSystem.java:515)
         at oracle.jdeveloper.compiler.UnifiedBuildSystem$CompileThread.buildAll(UnifiedBuildSystem.java:715)
         at oracle.jdeveloper.compiler.UnifiedBuildSystem$CompileThread.run(UnifiedBuildSystem.java:893)

    Install the Service Update 1 patch for JDeveloper (using the help->check for updates), and let us know if this didn't solve the problem.

  • Ce71 install error with phase for install java engine!!!!

    HI expert,
         I  encounter issues with install ce71, below is trace log info please help me ,thanks!!!!!!
    TRACE      2010-09-12 21:00:34.421
    FSPath(D:\usr\sap\EPD\J02\exe\jstart.exe) done
    WARNING    2010-09-12 21:00:34.421
               CJSlibModule::writeWarning_impl()
    Execution of the command "D:\usr\sap\EPD\J02\exe\jstart.exe pf=D:\usr\sap\EPD\SYS\profile\EPD_J02_g2s1-sap -file=D:\usr\sap\EPD\J02\exe\startup.properties -nodename=bootstrap -launch" finished with return code 1. Output:
    TRACE      2010-09-12 21:00:34.421
    FSPath(D:\usr\sap\EPD\J02\exe\jstart.exe) done
    TRACE      2010-09-12 21:00:34.421
    ChildApplication(D:\usr\sap\EPD\J02\exe\jstart.exe).run(): 1. done.
    TRACE      2010-09-12 21:00:34.421
    FSPath(D:\usr\sap\EPD\J02\exe\jstart.exe) done
    TRACE      2010-09-12 21:00:34.421
    NWException thrown: nw.processError:
    Process call 'D:\usr\sap\EPD\J02\exe\jstart.exe pf=D:\usr\sap\EPD\SYS\profile\EPD_J02_g2s1-sap -file=D:\usr\sap\EPD\J02\exe\startup.properties -nodename=bootstrap -launch' exits with error code 1. For details see log file(s) jstart_bootstrap_J02.log.
    TRACE      2010-09-12 21:00:34.421
    Function setMessageIdOfExceptionMessage: nw.processError
    ERROR      2010-09-12 21:00:34.421
               CJSlibModule::writeError_impl()
    CJS-30023  Process call 'D:\usr\sap\EPD\J02\exe\jstart.exe pf=D:\usr\sap\EPD\SYS\profile\EPD_J02_g2s1-sap -file=D:\usr\sap\EPD\J02\exe\startup.properties -nodename=bootstrap -launch' exits with error code 1. For details see log file(s) jstart_bootstrap_J02.log.
    TRACE      2010-09-12 21:00:34.421 [iaxxejsbas.hpp:488]
               EJS_Base::dispatchFunctionCall()
    JS Callback has thrown unknown exception. Rethrowing.
    ERROR      2010-09-12 21:00:34.468 [sixxcstepexecute.cpp:984]
    FCO-00011  The step runBootstrap with step key |NW_Onehost|ind|ind|ind|ind|0|0|NW_Onehost_System|ind|ind|ind|ind|1|0|NW_CI_Instance|ind|ind|ind|ind|11|0|NW_CI_Instance_Configure_Java|ind|ind|ind|ind|7|0|runBootstrap was executed with status ERROR ( Last error reported by the step :Process call 'D:\usr\sap\EPD\J02\exe\jstart.exe pf=D:\usr\sap\EPD\SYS\profile\EPD_J02_g2s1-sap -file=D:\usr\sap\EPD\J02\exe\startup.properties -nodename=bootstrap -launch' exits with error code 1. For details see log file(s) jstart_bootstrap_J02.log.).
    TRACE      2010-09-12 21:00:34.500
    Instantiating new NWUsageTypeBasic
    TRACE      2010-09-12 21:00:34.500
    NWUsageTypeBasic() done
    TRACE      2010-09-12 21:00:34.500
      Call block:CallBackInCaseOfAnErrorDuringStepExecution
        function:CallTheLogInquirer
    is validator: true
    WARNING    2010-09-12 21:00:34.500 [iaxxejshlp.cpp:150]
    Could not get property IDs of the JavaScript object.
    ERROR      2010-09-12 21:00:34.500 [iaxxejsctl.cpp:492]
    FJS-00010  Could not get value for property .
    TRACE      2010-09-12 21:00:34.578
    A problem occurs during execution the inquirer callback. SAPinst will switch back to the standard behaiviour.
    TRACE      2010-09-12 21:00:34.578 [iaxxgenimp.cpp:707]
                CGuiEngineImp::showMessageBox
    <html> <head> </head> <body> <p> An error occurred while processing option SAP NetWeaver CE Productive Edition > Installation Options > Standard System > Standard System( Last error reported by the step :Process call 'D:\usr\sap\EPD\J02\exe\jstart.exe pf=D:\usr\sap\EPD\SYS\profile\EPD_J02_g2s1-sap -file=D:\usr\sap\EPD\J02\exe\startup.properties -nodename=bootstrap -launch' exits with error code 1. For details see log file(s) jstart_bootstrap_J02.log.). You can now: </p> <ul> <li> Choose <i>Retry</i> to repeat the current step. </li> <li> Choose <i>View Log</i> to get more information about the error. </li> <li> Stop the option and continue with it later. </li> </ul> <p> Log files are written to C:\Program Files/sapinst_instdir/CE71_PROD_ORA/INSTALL/STD/AS. </p> </body></html>
    TRACE      2010-09-12 21:00:34.578 [iaxxgenimp.cpp:1245]
               CGuiEngineImp::acceptAnswerForBlockingRequest
    Waiting for an answer from GUI
    INFO       2010-09-12 21:01:00.296 [sixxcstepexecute.cpp:1064]
    An error occured and the user decided to retry the current step: "|NW_Onehost|ind|ind|ind|ind|0|0|NW_Onehost_System|ind|ind|ind|ind|1|0|NW_CI_Instance|ind|ind|ind|ind|11|0|NW_CI_Instance_Configure_Java|ind|ind|ind|ind|7|0|runBootstrap".

    Hi,
    The logs generated during installation will be written under the folder sapinst_instdir.
    Can you please check the logs in the path  C:\Program Files/sapinst_instdir/CE71_PROD_ORA/INSTALL/STD/AS and search for Errors in that.
    Please share that error message from that log file.
    Thanks

  • Systemd errors with proc-sys-fs-binfmt_misc.automount [solved]

    Been enjoying systemd for a few weeks now but for some reason I have two failed errors:
    UNIT LOAD ACTIVE SUB JOB DESCRIPTION
    proc-sys-fs-binfmt_misc.automount loaded failed failed Arbitrary Executable File Formats File System Automount Point
    systemd-modules-load.service loaded failed failed Load Kernel Modules
    and
    $ status systemd-modules-load.service
    systemd-modules-load.service.service
    Loaded: error (Reason: No such file or directory)
    Active: inactive (dead)
    $ status proc-sys-fs-binfmt_misc.automount
    proc-sys-fs-binfmt_misc.automount.service
    Loaded: error (Reason: No such file or directory)
    Active: inactive (dead)
    Not quite sure why.
    Last edited by graysky (2012-05-15 20:22:14)

    The kernel does support it.  My problem was a typo in /etc/modules-load.d/cpupower.conf
    /acpi_cpufreq/acpi-cpufreq/
    Problem solved.

  • ORA-12154 TNS resolve error with ProC

    <p>Hi all,
    <br>
    <p>
    I have a program written in ProC which works fine when it connects to a local database. However, it is unable to connect to a remote database. The code for making the connection is:
    <p>
    <i>
    EXEC SQL BEGIN DECLARE SECTION;<br>
    char name[20];<br>
    char pwd[20];<br>
    char dbname[20];<br>
    char dbstring[20];<br>
    EXEC SQL END DECLARE SECTION;<br>
    strcpy(name, "admin");<br>
    strcpy(pwd, "adminadmin");<br>
    strcpy(dbname, "userdb");<br>
    strcpy(dbstring, "userdb");<br>
    EXEC SQL WHENEVER SQLERROR DO printf( "Connection Error = %s", sqlca.sqlerrm.sqlerrmc);<br>
    EXEC SQL CONNECT :name IDENTIFIED BY :pwd AT :dbname USING :dbstring;<br>
    </i>
    <p>
    The content of fthe file tnsnames.ora:<br>
    <i>
    userdb =<br>
    (DESCRIPTION =<br>
    (ADDRESS_LIST =<br>
    (ADDRESS = (PROTOCOL = TCP)(HOST = 192.168.30.21)(PORT = 1521))<br>
    )<br>
    (CONNECT_DATA =<br>
    (SID = userdb)<br>
    )<br>
    )<br>
    </i>
    <p>
    I can "tnsping userdb" and "telnet 192.168.30.21 1521" but the program keeps generating the ORA-12154 connection error.
    The version of my oracle client is 9.2.0.1.0
    The version of the db server is 8.1.7
    Could any one give me some advice please. I had been searching for the solutions for days but failed. Please help. Thanks.

    <p>
    i do a file search "find / -name tnsnames.ora", here is the result:
    <p>
    /home/oracle/dbscript/database/tnsnames.ora<br>
    /u00/app/oracle/product/9.2.0.1.0/network/admin/samples/tnsnames.ora<br>
    /u00/app/oracle/product/9.2.0.1.0/network/admin/tnsnames.ora<br>
    <p>
    the first one is not found in the path

  • Error with FOP for Report Printing in Apex 3.2.1

    We are trying to use FOP deployed onto GlassFish Community but after setting up as described in the applicaton express guide to allow report printing; we are getting the following error
    'package oracle.xml.parser.v2' does not exist
    We are running GlassFish on Debian 5.0 (Lenny)
    Any help appericated :)

    Here is what I did to get it to work.
    1. Copy xmlparserv2.jar from my ORACLE_HOME/oc4j/lib directory to my glassfish domains/domain1/applications/fop/WEB-INF/lib directory.
    2. Added the following two lines to the glassfish domains/domain1/fop/apex_fop.jsp before the driver.run() line
    out.clear();
    out = pageContext.pushBody();The second part of solution I found on another forum page.

  • Error with checking for purchases

    i recently purchased many many songs, and i have dial up, so i couldn't finish the downloads all at once. I keep checking for purchases, but this error keeps coming up:
    "Unable to check for purchased music. An unknown error occured (3)."
    i'm not really sure how to get my purchases to download, but any help would be greatly appreciated.

    Yes, that will work.
    A lot easier than using your iPod as a hard drive.
    http://docs.info.apple.com/article.html?artnum=61131

  • Waiting error with BPC for Excel on Citrix

    Good day,
    We are currently running SAP BPC 5.1 SP 7 (release 5.0.508.03)
    On Production and Staging , users running BPC client on our Citrix environment are experiencing a "WAITING" message when submitting on input schedules on BPC Excel after working or leaving the input schedule idle for more than +/- 10 minutes.
    We currently only experience the problem on BPC clients running on Citrix. The BPC clients running via the LAN is not experiencing this problem and we cannot replicate the problem on the LAN
    We asked our Network team to investigate they found that there was a network reset connection (RST, ACK) from the BPC Client on Citrix to the Application Server after 1 minute and 5 seconds of refreshing the input schedule.             
    Steps for Reconstruction          
    1.User running BPC for excel client on our Citrix environment.
    2.logs onto BPC for Excel.
    3.Opens and refresh's an input schedule in BPC for Excel.
    4.Works on or leaves the input schedule idle for 10-15 minutes.
    5.Submits on the input schedule after 10-15 minutes
    6.Receives a "WAITING" message in the top left hand corner for the excel for BPC screen.
    7."WAITING" message runs indefinitely.
    Notes:
    1.We can reproduce this on our Citrix Staging environment and currently experience this problem on our Citrix Staging and Production environment. The problem cannot be reproduced when a BPC client connects  via the LAN for Staging and Production.
    2.Citrix session remains active and connected during the above steps.
    3.The only way the "WAITING" message is stopped is if the users selects refresh or submit on the input schedule after a few minutes, the refresh then runs successfully, but the Submit does not go through successfully.
    4. We have asked or Citrix team to investigate and they cannot find anything that could be causing the problem.
    Any ideas?
    Thanks,
    Peter Bellis

    ok.
    In this case it seems you have a problem with antivirus or forewall into Citrix server which is blocking the communication with application server.
    I expect to be more like antivirus which is blocking actually the activity of add ins from excel whoich measn the BPC client.
    So actually your problem has nothing to do with Cittrix is just a pure problem with installation of client into that machine (in your case citrix server).
    So I suggest to disable any antivirus or firewall into that citrix server for test purpose and afte that you have to make sure that you don't have any restrictions on port 80 if this is used by BPC.
    Regards
    Sorin Radulescu

  • Windows 8.1 ADK Error with CopyPE for the ARM architecture

    Hi folks,
    I am following the command line page for COPYPE ( https://technet.microsoft.com/en-us/library/hh825071.aspx )
    If I read this correctly, I should use the following command :
    copype arm C:\winpe_arm
    The Copype.cmd file has nothing in it that accounts for ARM.
    Furthermore, the Windows Preinstallation Environment Folder only has subfolders for amd64 and x86.
    Where exactly is the ARM support ?
    Thanks

    Hi,
    Based on my test, this phenomenon should be caused by lack of ARM directory in Windows Preinstallation Environment directory.
    Roger Lu
    TechNet Community Support

  • 942: error when trying to browse/refresh Packages, Procedures and Functions

    Hi,
    I'm using OSD 1.1 against 10g.
    I can create and compile functions in a certain schema but when I try to browse the Functions node I get "ORA-00942: table or view does not exist." and the node does not expand.
    The same thing happens with the Packages and Procedures nodes.
    Does anyone have any ideas?
    Thanks in advance
    Mike

    I've got the same problem with SQL Developer 1.1.0.23.64 against 9.2.0.4.0 and 10.1.0.4.0. This error occured only for a few package/procedure/function owners. I've found that these owners have SELECT ANY TABLE system privilege. In such case SQL Developer generates following SELECT:
    SELECT OBJECT_NAME, OBJECT_ID, DECODE(STATUS, 'INVALID', 'TRUE', 'FALSE') INVALID, 'TRUE' runnable, NVL( b.HAS_BODY, 'FALSE') HAS_BODY
    FROM SYS.DBA_OBJECTS a,
    (SELECT 'TRUE' HAS_BODY, object_name tmp_name FROM SYS.DBA_OBJECTS WHERE OWNER = :SCHEMA AND OBJECT_TYPE = 'PACKAGE BODY') b
    WHERE OWNER = :SCHEMA
    AND OBJECT_TYPE = 'PACKAGE'
    AND object_name = tmp_name (+)
    AND SUBOBJECT_NAME IS NULL
    AND OBJECT_ID NOT IN ( SELECT PURGE_OBJECT FROM RECYCLEBIN )
    Otherwise it generates
    SELECT OBJECT_NAME, OBJECT_ID, DECODE(STATUS, 'INVALID', 'TRUE', 'FALSE') INVALID, 'TRUE' runnable, NVL( b.HAS_BODY, 'FALSE') HAS_BODY
    FROM SYS.ALL_OBJECTS a,
    (SELECT 'TRUE' HAS_BODY, object_name tmp_name FROM SYS.ALL_OBJECTS WHERE OWNER = :SCHEMA AND OBJECT_TYPE = 'PACKAGE BODY') b
    WHERE OWNER = :SCHEMA
    AND OBJECT_TYPE = 'PACKAGE'
    AND object_name = tmp_name (+)
    AND SUBOBJECT_NAME IS NULL
    AND OBJECT_ID NOT IN ( SELECT PURGE_OBJECT FROM RECYCLEBIN )
    Both for 10g.
    So you could try to grant SELECT on DBA_OBJECTS to owner of your functions.
    I don't know why SQL Developer doesn't SELECT from ALL_OBJECTS in all cases.
    Jiri
    Message was edited by:
    Jiri Suchy
    You will need grant SELECT on DBA_SOURCE, too.

Maybe you are looking for