Invoke Exception Thrown

Hi Guys,
While setting a password using the following line on a newly created user:
Dim newUser As DirectoryEntry = adUsers.Add("CN=" & sUserName, "user")
newUser.Invoke("SetPassword", New Object() {sPassword})
Adding the user works but the Invoke seems to cause issues..
I get the following error:
System.Reflection.TargetInvocationException was unhandled by user code
  Message=Exception has been thrown by the target of an invocation.
  Source=System.DirectoryServices
  StackTrace:
       at System.DirectoryServices.DirectoryEntry.Invoke(String methodName, Object[] args)
       at Add.CreateAdAccount(String sUserName, String sPassword, String sFirstName, String sLastName, String sGroupName) in C:\ActiveDirectory\Test_Add.aspx.vb:line 365
       at Add.AddUser_Click(Object sender, EventArgs e) in C:\ActiveDirectory\Test_Add.aspx.vb:line 268
       at System.Web.UI.WebControls.Button.OnClick(EventArgs e)
       at System.Web.UI.WebControls.Button.RaisePostBackEvent(String eventArgument)
       at System.Web.UI.WebControls.Button.System.Web.UI.IPostBackEventHandler.RaisePostBackEvent(String eventArgument)
       at System.Web.UI.Page.RaisePostBackEvent(IPostBackEventHandler sourceControl, String eventArgument)
       at System.Web.UI.Page.RaisePostBackEvent(NameValueCollection postData)
       at System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint)
  InnerException: System.UnauthorizedAccessException
       Message=Access is denied. (Exception from HRESULT: 0x80070005 (E_ACCESSDENIED))
       Source=""
       InnerException: 

So what would you like to see, I could give you the entire user sub, but it is long and nasty and after a desensitizing run won't tell a heap.
Than make it less nasty and try to avoid that invoke. 
Probably it becomes than also much smaller.
Be aware that a long sub very seldom shows the work of a good programmer.
Success
Cor

Similar Messages

  • "Exception thrown in non-transactional EJB invoke"

              When I throw an application exception from within a statless session bean which uses jdbs for DB Lookup Only I get
              "Exception thrown in non-transactional EJB invoke".
              As this is a llokup only I have no Transaction Management
              

    Tao,
              > If your ejb method is in a transaction context, then you throw application
              exception, the container will try to commit the transaction.
              In the case of an application exception, the caller will be responsible for
              committing or rolling back the transaction. (A runtime exception will roll
              back the transaction automatically.) That is why, if you use CMT, that the
              EJB methods call from outside the EJB container (such as from a servlet)
              should never be able to throw runtime exceptions.
              Peace,
              Cameron Purdy
              Tangosol, Inc.
              http://www.tangosol.com
              +1.617.623.5782
              WebLogic Consulting Available
              "Tao Zhang" <[email protected]> wrote in message
              news:3a33c04a$[email protected]..
              >
              > Hi,
              > It's ok because you look after the transaction yourself. probably you use
              the default transaction attribute 'Supports'.
              >
              > If your ejb method is in a transaction context, then you throw application
              exception, the container will try to commit the transaction.
              >
              > Hope this can help.
              > Tao Zhang
              >
              > "Gormless" <[email protected]> wrote:
              > >
              > >When I throw an application exception from within a statless session bean
              which uses jdbs for DB Lookup Only I get
              > >"Exception thrown in non-transactional EJB invoke".
              > >
              > >As this is a llokup only I have no Transaction Management
              >
              

  • How to properly handle Exception thrown in a .tag file?

    I've got a .jsp file that makes use of some custom tags, each defined in their own .tag file, and located in WEB-INF/tags. I'm having a lot of trouble with the scenario of cleanly dealing with an exception raised by scriptlets in either a .jsp file, and a .tag file. I'm using both Java and Tomcat 6....
    Originally, I wanted to use .tag files in order to componentize common elements that were present in .jsp pages, as well as move ugly scriptlets out of .jsp pages, and isolate them in tag files with their associated page elements.
    Things started getting hairy when I started exploring what happens when an exception is thrown (bought not handled) in a scriptlet in a .tag file. Basically, my app is a servlet that forwards the user to various .jsp pages based on given request parameters. The forwarding to the relevant .jsp page is done by calls to the following method:
    servletContext.getRequestDispatcher("/" + pageName).forward(request, response);
    Where 'pageName' is a String with the name of the .jsp I want to go to...
    Calls to this method are enclosed in a try block, as it throws both a ServletException, and IOException...
    When either my .jsp, or .tag throw an exception in a scriptlet, the exception is wrapped in a JSPException, which is then wrapped in a ServletException.
    I can catch this exception in my servlet... but then what? I want to forward to an error page, however, in the catch block, I can't forward in response to this exception, as that results in an IllegalStateException, as the response has already been committed. So what do I do? How do I get from this point, to my "error.jsp" page?
    It was suggested to me that I use the <% @ page isErrorPage="true" %> directive in my error.jsp,
    and the in my real .jsp, use <%page errorPage="/error.jsp" %>.
    This works great when the exception is thrown in my .jsp.... But when the exception is thrown in the .tag file... not so much...
    My .jsp page was rendered up until the point where the <my:mytag/> (the tag with the offending raised exception) was encountered. Then, instead of forwarding to the error page when the error in the tag is encountered, the error page is rendered as the CONTENT of of my TAG. The rest of the .jsp is then NEVER rendered. I checked the page source, and there is no markup from the original .jsp that lay below the my tag. So this doesn't work at all. I don't want to render the error page WITHIN the half of the .jsp that did render... Why doesn't it take me away from the .jsp with the offending tag altogether and bring me to the error.jsp?
    Then it was suggested to me that I get rid of those page directives, and instead define error handling in the web.xml using the following construct:
    <error-page>
    <exception-type>java.lang.Exception</exception-type>
    <location>/error</location>
    </error-page>
    <error-page>
    <error-code>404</error-code>
    <location>/error</location>
    </error-page>
    For this, I created a new servlet called ErrorServlet, and mapped it to /error
    Now I could mangle the end of the URL, which causes a 404, and I get redirected to the ErrorServlet. Yay.
    However, exceptions being thrown in either a .jsp or .tag still don't direct me to the ErrorServlet. Apparently this error handling mechanism doesn't work for .jsp pages reached via servletContext.getRequestDispatcher("/" + pageName).forward(request, response) ????
    So I'm just at a total loss now. I know the short answer is "don't throw exceptions in a .jsp or .tag" but frankly, that seems a pretty weak answer that doesn't really address my problem... I mean, it would really be nice to have some kind of exception handler for runtime exceptions thrown in a scriptlet in .tag file, that allows me to forward to a page with detailed stacktrace output, etc, if anything for debugging purposes during development...
    If anyone has a few cents to spare on this, I'd be ever so grateful..
    Thanks!!
    Jeff

    What causes the exception?
    What sort of exception are you raising from the tag files?
    Have you got an example of a tag file that you can share, and a jsp that invokes it so people can duplicate the issue without thinking too much / spending too much time?
    My first instinct would be that the buffer is being flushed, and response committed before your Exception is raised.
    What you describe is pretty much standard functionality for Tomcat in such cases.

  • Install on AIX 6.1 SP3: Exception thrown while loading wl_management_internal1

    Hello,
    I have the following exception when running WLS 6.1 SP 3 on AIX 4.3.3, any idea?
    <Exception thrown while loading wl_management_internal1:
    java.lang.NullPointerException
    java.lang.NullPointerException
    at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:158)
    at $Proxy64.getJ2EEApplicationDescriptor(Unknown Source)
    at weblogic.j2ee.Application.getAppDescriptor(Application.java(Compiled
    Code))
    at weblogic.j2ee.Component.getModuleMBean(Component.java(Compiled
    Code))
    at weblogic.j2ee.Component.getAltDDFile(Component.java(Compiled Code))
    at
    weblogic.servlet.internal.WebAppServletContext.<init>(WebAppServletContext.java(Compiled
    Code))
    at
    weblogic.servlet.internal.HttpServer.loadWebApp(HttpServer.java(Compiled Code))
    at weblogic.j2ee.WebAppComponent.deploy(WebAppComponent.java(Compiled
    Code))
    at weblogic.j2ee.Application.addComponent(Application.java:170)
    at weblogic.j2ee.J2EEService.addDeployment(J2EEService.java:117)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:150)
    at
    weblogic.management.mbeans.custom.WebServer.addWebDeployment(WebServer.java:76)
    at java.lang.reflect.Method.invoke(Native Method)
    at
    weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
    at
    weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java(Compiled Code))
    at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
    at $Proxy24.addWebDeployment(Unknown Source)
    at
    weblogic.management.configuration.WebServerMBean_CachingStub.addWebDeployment(WebServerMBean_CachingStub.java:1202)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:346)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:150)
    at java.lang.reflect.Method.invoke(Native Method)
    at
    weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
    at
    weblogic.management.internal.RemoteMBeanServerImpl_WLSkel.invoke(Unknown Source)
    at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:305)
    at
    weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:274)
    at
    weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
    at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
    at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)

    Were you installing SP3 or starting WLS after the install?
    What do you see when you run:
    $ which java
    $ java -version
    Does the OS have patch 9 -- I believe it's PTF 9 in AIX lingo.
    AIX 4.3.3.9
    Wayne Scott
    Thierry wrote:
    Hello,
    I have the following exception when running WLS 6.1 SP 3 on AIX 4.3.3, any idea?
    <Exception thrown while loading wl_management_internal1:
    java.lang.NullPointerException
    java.lang.NullPointerException
    at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:158)
    at $Proxy64.getJ2EEApplicationDescriptor(Unknown Source)
    at weblogic.j2ee.Application.getAppDescriptor(Application.java(Compiled
    Code))
    at weblogic.j2ee.Component.getModuleMBean(Component.java(Compiled
    Code))
    at weblogic.j2ee.Component.getAltDDFile(Component.java(Compiled Code))
    at
    weblogic.servlet.internal.WebAppServletContext.<init>(WebAppServletContext.java(Compiled
    Code))
    at
    weblogic.servlet.internal.HttpServer.loadWebApp(HttpServer.java(Compiled Code))
    at weblogic.j2ee.WebAppComponent.deploy(WebAppComponent.java(Compiled
    Code))
    at weblogic.j2ee.Application.addComponent(Application.java:170)
    at weblogic.j2ee.J2EEService.addDeployment(J2EEService.java:117)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:150)
    at
    weblogic.management.mbeans.custom.WebServer.addWebDeployment(WebServer.java:76)
    at java.lang.reflect.Method.invoke(Native Method)
    at
    weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
    at
    weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java(Compiled Code))
    at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
    at $Proxy24.addWebDeployment(Unknown Source)
    at
    weblogic.management.configuration.WebServerMBean_CachingStub.addWebDeployment(WebServerMBean_CachingStub.java:1202)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:346)
    at
    weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:150)
    at java.lang.reflect.Method.invoke(Native Method)
    at
    weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java(Compiled
    Code))
    at
    weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
    at
    com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
    at
    weblogic.management.internal.RemoteMBeanServerImpl_WLSkel.invoke(Unknown Source)
    at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:305)
    at
    weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:274)
    at
    weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
    at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
    at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)

  • Possible to determine exception thrown in a finally block?

    I believe the answer to this is 'no', but I thought I would ask just to confirm.
    If an exception is thrown in a try block, is there a way in the finally block to determine what exception was thrown? I tried using Throwable#fillinStackTrace and Thread#getStackTrace and did not get anywhere. I did see other methods like Thread#getAllStackTraces and perhaps going up to a parent ThreadGroup and inspecting other child Thread instances, but at least in my debugger, I did not see anything useful.
    The basic idea I am trying to achieve is to detect if an exception is thrown in the try, if yes, chain any exception thrown in the finally block to the original exception. I know I can do this on a case-by-case basis by storing the exception caught and then manually chaining it in the finally block. I was looking for something more generic/applicable to all finally blocks.
    Thanks.
    - Saish

    Thanks JSchell, have done that many times in the past.
    I was looking for a more generic (not generics) solution to the problem. So that an error handler could be written to automatically chain exceptions thrown in the finally clause (granted, one still needs to invoke the error handler). My hope was the stack in the finally clause would look different if an exception was thrown in the try block versus none at all.
    - Saish

  • Exception thrown while submiting  BPM project to OER from jdev

    exception thrown while submiting BPM project to enterprise repostiroy from Jdeveloper.
    1) all configurations done. and i am able to submit wsdl files.
    C[repository.submit] No unique configured entity found for file name: [preferences.xml].
    [repository.submit] Skipping introspecting of file: file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/config/preferences.xml as no introspection configuration found.
    [repository.submit] Introspecting file: [file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn]
    [repository.submit] Trying to get introspector for file type: .bpmn
    [repository.submit] Getting harvester for fileType: .bpmn
    [repository.submit] Loaded MetadataIntrospector class: class com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector for entity [BPMNArtifactEntity].
    [repository.submit] Loaded MetadataIntrospector class [com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector] for fileType: [.bpmn].
    [repository.submit] Introspecting file: file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn
    [repository.submit] Creating a new ArtifactAsset for URI: [file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn].
    [repository.submit] Failed to generate ArtifactAsset due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    [repository.submit] Introspection error due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    [repository.submit] Introspection failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    [repository.submit] Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    [repository.submit] An error occurred performing the Repository operation:
    [repository.submit] com.oracle.oer.sync.framework.MetadataIntrospectionException: Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    BUILD FAILED
    com.oracle.oer.sync.framework.MetadataIntrospectionException: Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:655)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    Caused by: org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         ... 18 more
    Total time: 3 seconds
    Process exited with exit code 1.

    exception thrown while submiting BPM project to enterprise repostiroy from Jdeveloper.
    1) all configurations done. and i am able to submit wsdl files.
    C[repository.submit] No unique configured entity found for file name: [preferences.xml].
    [repository.submit] Skipping introspecting of file: file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/config/preferences.xml as no introspection configuration found.
    [repository.submit] Introspecting file: [file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn]
    [repository.submit] Trying to get introspector for file type: .bpmn
    [repository.submit] Getting harvester for fileType: .bpmn
    [repository.submit] Loaded MetadataIntrospector class: class com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector for entity [BPMNArtifactEntity].
    [repository.submit] Loaded MetadataIntrospector class [com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector] for fileType: [.bpmn].
    [repository.submit] Introspecting file: file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn
    [repository.submit] Creating a new ArtifactAsset for URI: [file:/C:/JDeveloper/mywork/RegistryPocServcie/Project1/default.bpmn].
    [repository.submit] Failed to generate ArtifactAsset due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    [repository.submit] Introspection error due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    [repository.submit] Introspection failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    [repository.submit] Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    [repository.submit] An error occurred performing the Repository operation:
    [repository.submit] com.oracle.oer.sync.framework.MetadataIntrospectionException: Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
    BUILD FAILED
    com.oracle.oer.sync.framework.MetadataIntrospectionException: Artifact harvest failed due to: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:655)
         at com.oracle.oer.sync.framework.ant.IntrospectTask.performRepositoryWork(IntrospectTask.java:314)
         at com.oracle.oer.sync.framework.ant.RepositoryTaskBase.execute(RepositoryTaskBase.java:182)
         at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:288)
         at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at org.apache.tools.ant.dispatch.DispatchUtils.execute(DispatchUtils.java:106)
         at org.apache.tools.ant.Task.perform(Task.java:348)
         at org.apache.tools.ant.Target.execute(Target.java:357)
         at org.apache.tools.ant.Target.performTasks(Target.java:385)
         at org.apache.tools.ant.Project.executeSortedTargets(Project.java:1337)
         at org.apache.tools.ant.Project.executeTarget(Project.java:1306)
         at org.apache.tools.ant.helper.DefaultExecutor.executeTargets(DefaultExecutor.java:41)
         at org.apache.tools.ant.Project.executeTargets(Project.java:1189)
         at org.apache.tools.ant.Main.runBuild(Main.java:758)
         at org.apache.tools.ant.Main.startAnt(Main.java:217)
         at org.apache.tools.ant.Main.start(Main.java:179)
         at org.apache.tools.ant.Main.main(Main.java:268)
    Caused by: org.apache.xmlbeans.XmlException: C:\JDeveloper\mywork\RegistryPocServcie\Project1\default.bpmn:0: error: The document is not a definitions@http://www.omg.org/bpmn20: document element namespace mismatch expected "http://www.omg.org/bpmn20" got "http://www.omg.org/spec/BPMN/20100524/MODEL"
         at org.apache.xmlbeans.impl.store.Locale.verifyDocumentType(Locale.java:452)
         at org.apache.xmlbeans.impl.store.Locale.autoTypeDocument(Locale.java:357)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1273)
         at org.apache.xmlbeans.impl.store.Locale.parseToXmlObject(Locale.java:1257)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:345)
         at org.apache.xmlbeans.impl.schema.SchemaTypeLoaderBase.parse(SchemaTypeLoaderBase.java:309)
         at org.omg.bpmn20.DefinitionsDocument$Factory.parse(Unknown Source)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.generateArtifactAsset(BPMNIntrospector.java:131)
         at com.oracle.oer.sync.plugin.artifact.bpmn.BPMNIntrospector.introspect(BPMNIntrospector.java:89)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.introspectFile(FileReader.java:414)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.readFromFileArray(FileReader.java:286)
         at com.oracle.oer.sync.plugin.reader.file.FileReader.read(FileReader.java:132)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:597)
         at com.flashline.util.classloader.ContextClassLoaderHandler.invoke(ContextClassLoaderHandler.java:39)
         at $Proxy0.read(Unknown Source)
         at com.oracle.oer.sync.framework.MetadataManager.start(MetadataManager.java:630)
         ... 18 more
    Total time: 3 seconds
    Process exited with exit code 1.

  • Client side handling of exceptions thrown by a webservice

    I have a webservice that is deployed in Tomcat 5.5 running on Windows XP, Java version is 1.5, using jwsdp 1.5. My client, when run as an applet in a browser (have tried IE 6 and FireFox 1), seems to be unable to parse any exception thrown from the webservice. Instead the following exception is caught by the client:
    ==========================================================
    Checking the security service exception that occurred [Runtime exception; nested exception is:
    XML parsing error: com.sun.xml.rpc.sp.ParseException:1: Document root element is missing]
    com.irista.security.services.data.SecurityServiceException: Runtime exception; nested exception is:
    XML parsing error: com.sun.xml.rpc.sp.ParseException:1: Document root element is missing
    at com.irista.security.services.webclient.SecurityServiceProxy.removeAuthenticatio nProfile(SecurityServiceProxy.java:1276)
    at com.irista.security.ui.applet.AuthenticationProfilesListPanel.deleteAction(Auth enticationProfilesListPanel.java:131)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
    at java.lang.reflect.Method.invoke(Unknown Source)
    at com.irista.ui.webapp.framework.WebAppletPane.performAction(WebAppletPane.java:1 80)
    at com.irista.ui.webapp.framework.WebAppletPane.performAction(WebAppletPane.java:1 51)
    at com.irista.ui.webapp.framework.WebAppToolbar$ButtonActionListener.actionPerform ed(WebAppToolbar.java:368)
    at javax.swing.AbstractButton.fireActionPerformed(Unknown Source)
    at javax.swing.AbstractButton$Handler.actionPerformed(Unknown Source)
    at javax.swing.DefaultButtonModel.fireActionPerformed(Unknown Source)
    at javax.swing.DefaultButtonModel.setPressed(Unknown Source)
    at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(Unknown Source)
    at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
    at java.awt.Component.processMouseEvent(Unknown Source)
    at javax.swing.JComponent.processMouseEvent(Unknown Source)
    at java.awt.Component.processEvent(Unknown Source)
    at java.awt.Container.processEvent(Unknown Source)
    at java.awt.Component.dispatchEventImpl(Unknown Source)
    at java.awt.Container.dispatchEventImpl(Unknown Source)
    at java.awt.Component.dispatchEvent(Unknown Source)
    at java.awt.LightweightDispatcher.retargetMouseEvent(Unknown Source)
    at java.awt.LightweightDispatcher.processMouseEvent(Unknown Source)
    at java.awt.LightweightDispatcher.dispatchEvent(Unknown Source)
    at java.awt.Container.dispatchEventImpl(Unknown Source)
    at java.awt.Component.dispatchEvent(Unknown Source)
    at java.awt.EventQueue.dispatchEvent(Unknown Source)
    at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
    at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
    at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
    at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
    at java.awt.EventDispatchThread.run(Unknown Source)
    ==========================================================
    If I run the client outside of a browser it catches the exception that is actually thrown by the webservice.
    Is there possibly a problem with the java 5 plugin handling exceptions thrown by webservices?
    I have not found any bug reports or forumn posts regarding this so any assistance would be greatly appreciated.
    thanks,
    scott

    Thanks for the reply, here is what the printStackTrace() output:
    java.rmi.RemoteException: Runtime exception; nested exception is:
         XML parsing error: com.sun.xml.rpc.sp.ParseException:1: Document root element is missing
         at com.sun.xml.rpc.client.StreamingSender._handleRuntimeExceptionInSend(StreamingSender.java:318)
         at com.sun.xml.rpc.client.StreamingSender._send(StreamingSender.java:300)
         at com.irista.security.services.webservice.SecurityServiceIF_Stub.removeAuthenticationProfile(SecurityServiceIF_Stub.java:1963)
         at com.irista.security.services.webclient.SecurityServiceProxy.removeAuthenticationProfile(SecurityServiceProxy.java:1266)
         at com.irista.security.ui.applet.AuthenticationProfilesListPanel.deleteAction(AuthenticationProfilesListPanel.java:131)
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
         at java.lang.reflect.Method.invoke(Unknown Source)
         at com.irista.ui.webapp.framework.WebAppletPane.performAction(WebAppletPane.java:180)
         at com.irista.ui.webapp.framework.WebAppletPane.performAction(WebAppletPane.java:151)
         at com.irista.ui.webapp.framework.WebAppToolbar$ButtonActionListener.actionPerformed(WebAppToolbar.java:368)
         at javax.swing.AbstractButton.fireActionPerformed(Unknown Source)
         at javax.swing.AbstractButton$Handler.actionPerformed(Unknown Source)
         at javax.swing.DefaultButtonModel.fireActionPerformed(Unknown Source)
         at javax.swing.DefaultButtonModel.setPressed(Unknown Source)
         at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.Component.processMouseEvent(Unknown Source)
         at javax.swing.JComponent.processMouseEvent(Unknown Source)
         at java.awt.Component.processEvent(Unknown Source)
         at java.awt.Container.processEvent(Unknown Source)
         at java.awt.Component.dispatchEventImpl(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.processMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.dispatchEvent(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.EventQueue.dispatchEvent(Unknown Source)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.run(Unknown Source)
    Caused by: XML parsing error: com.sun.xml.rpc.sp.ParseException:1: Document root element is missing
         at com.sun.xml.rpc.streaming.XMLReaderImpl.next(XMLReaderImpl.java:120)
         at com.sun.xml.rpc.streaming.XMLReaderBase.nextContent(XMLReaderBase.java:23)
         at com.sun.xml.rpc.streaming.XMLReaderBase.nextElementContent(XMLReaderBase.java:41)
         at com.sun.xml.rpc.client.StreamingSender._send(StreamingSender.java:123)
         ... 34 more

  • Exception thrown while trying to connect to Primavera using Web service.

    Dear all,
         We are trying to connect primavera from a .net application using Web service.It is working fine with P6 V7, but while trying to connect to V.8 there is an exception thrown by SoapHeaderException.
    The Contents in the Exception is like this
    System.Web.Services.Protocols.SoapHeaderException: This class does not support SAAJ 1.1
       at System.Web.Services.Protocols.SoapHttpClientProtocol.ReadResponse(SoapClientMessage message, WebResponse response, Stream responseStream, Boolean asyncCall)
       at System.Web.Services.Protocols.SoapHttpClientProtocol.Invoke(String methodName, Object[] parameters)
       at Primavera.AuthenticationService.AuthenticationService.Login(Login Login1) in E:\Manesh\Code\PROTOTYPES\PrimaveraAuthentrication\SampleDemo\Web References\AuthenticationService\Reference.cs:line 100
       at Primavera.Form1.TestConnection(String& sErr) in E:\Manesh\Code\PROTOTYPES\PrimaveraAuthentrication\SampleDemo\Form1.cs:line 66
    Here i am specifying the C# code which makes the above exception
    public int TestConnection(ref string sErr)
                try
                    AuthenticationService.AuthenticationService authService = new AuthenticationService.AuthenticationService();               
                    try
                        authService.Url = Url;
                        authService.CookieContainer = new CookieContainer();
                        AuthenticationService.Login lg = new AuthenticationService.Login();
                        lg.UserName = LoginName;
                        lg.Password = Password;
                        lg.DatabaseInstanceId = 1;
                        lg.DatabaseInstanceIdSpecified = true;
                       AuthenticationService.LoginResponse lp = authService.Login(lg);   //This line which makes the exception
                        cookieContainer = authService.CookieContainer;                  
                    finally
                        if (authService != null)
                            authService.Dispose();                  
                    return 1;               
                catch (Exception eX)
                    return -1;
    We are looking forward for a solution
    Thanks in Advance.
    Regards
    Jinosh

    http://otn.oracle.com/tech/java/sqlj_jdbc/htdocs/jdbc_faq.htm#_59_
    The thin drivers are classes12.zip/classes111.zip. classes12.zip being the most recent release. You can download it from
    http://otn.oracle.com/software/tech/java/sqlj_jdbc/htdocs/winsoft.html
    (the general download site is http://otn.oracle.com/software/tech/java/sqlj_jdbc/content.html )
    Jamie

  • Exception thrown while calling back a DSC componentcom/adobe/edc/policy/APSDocumentServicesManager

    Hi All,
    I am getting this below error ever 10 min on JBoss server, LCES SP1.
    SEVERE: Exception thrown while calling back a DSC componentcom/adobe/edc/policy/APSDocumentServicesManagerHome
    2012-04-20 05:54:41,908 INFO  [org.quartz.core.JobRunShell] Job APS_PRINCIPALKEY_REKEY_JOB_GRP.APS_PRINCIPALKEY_REKEY_JOB threw a JobExecutionException:
    org.quartz.JobExecutionException: java.lang.Exception: java.lang.IllegalStateException [See nested exception: java.lang.Exception: java.lang.IllegalStateException]
              at com.adobe.idp.scheduler.callback.ServiceCallbackHandler.execute(ServiceCallbackHandler.ja va:102)
              at org.quartz.core.JobRunShell.run(JobRunShell.java:202)
              at org.quartz.simpl.SimpleThreadPool$WorkerThread.run(SimpleThreadPool.java:529)
    Any idea about this error ??
    I refered this post but no luck --
    http://forums.adobe.com/message/4353924#4353924
    Any pointers to solve this issue ?????
    Regards --
    Chalukya.

    Hi Neerav,
    Thanks a lot for your reply ...
    Please find the server log file at -
    https://www.dropbox.com/s/ugc5zdavbobxj28/server.log
    Here is the complete error part in server log file -
    2012-08-03 03:03:21,764 INFO  [com.adobe.idp.scheduler.jobstore.DSCJobStoreTX] Removed 0 stale fired job entries.
    2012-08-03 03:03:21,764 INFO  [org.quartz.core.QuartzScheduler] Scheduler IDPSchedulerService_$_20 started.
    2012-08-03 03:03:21,795 INFO  [com.adobe.idp.dsc.impl.DSCManagerImpl] Started services which need post-dsc-initialization (Scheduler, docmanager purge) successfully
    2012-08-03 03:03:21,795 INFO  [com.adobe.idp.dsc.impl.DSCManagerImpl] Core Components started successfully
    2012-08-03 03:03:21,905 INFO  [com.adobe.idp.dsc.startup.DSCStartupServlet] Install and start of components complete. Now starting core asynchronous services ...
    2012-08-03 03:03:22,076 ERROR [STDERR] Aug 3, 2012 3:03:22 AM com.adobe.idp.scheduler.callback.ServiceCallbackHandler execute
    SEVERE: Exception thrown while calling back a DSC componentcom/adobe/edc/policy/APSDocumentServicesManagerHome
    2012-08-03 03:03:22,092 INFO  [org.quartz.core.JobRunShell] Job APS_PRINCIPALKEY_REKEY_JOB_GRP.APS_PRINCIPALKEY_REKEY_JOB threw a JobExecutionException:
    org.quartz.JobExecutionException: java.lang.Exception: java.lang.IllegalStateException [See nested exception: java.lang.Exception: java.lang.IllegalStateException]
              at com.adobe.idp.scheduler.callback.ServiceCallbackHandler.execute(ServiceCallbackHandler.ja va:102)
              at org.quartz.core.JobRunShell.run(JobRunShell.java:202)
              at org.quartz.simpl.SimpleThreadPool$WorkerThread.run(SimpleThreadPool.java:529)
    Caused by: java.lang.Exception: java.lang.IllegalStateException
              at com.adobe.idp.scheduler.callback.ServiceCallbackHandler.execute(ServiceCallbackHandler.ja va:101)
              ... 2 more
    Caused by: java.lang.IllegalStateException
              at com.adobe.idp.dsc.clientsdk.ServiceClientFactory$1.handleThrowable(ServiceClientFactory.j ava:69)
              at com.adobe.idp.dsc.clientsdk.ServiceClient.invoke(ServiceClient.java:220)
              at com.adobe.idp.scheduler.callback.ServiceCallbackHandler.execute(ServiceCallbackHandler.ja va:87)
              ... 2 more
    Caused by: java.lang.NoClassDefFoundError: com/adobe/edc/policy/APSDocumentServicesManagerHome
              at java.lang.Class.getDeclaredMethods0(Native Method)
              at java.lang.Class.privateGetDeclaredMethods(Class.java:2427)
              at java.lang.Class.getDeclaredMethods(Class.java:1791)
              at org.apache.commons.beanutils.MappedPropertyDescriptor$1.run(MappedPropertyDescriptor.java :342)
              at java.security.AccessController.doPrivileged(Native Method)
              at org.apache.commons.beanutils.MappedPropertyDescriptor.getPublicDeclaredMethods(MappedProp ertyDescriptor.java:337)
              at org.apache.commons.beanutils.MappedPropertyDescriptor.internalFindMethod(MappedPropertyDe scriptor.java:426)
              at org.apache.commons.beanutils.MappedPropertyDescriptor.findMethod(MappedPropertyDescriptor .java:500)
              at org.apache.commons.beanutils.MappedPropertyDescriptor.<init>(MappedPropertyDescriptor.jav a:103)
              at org.apache.commons.beanutils.PropertyUtilsBean.getPropertyDescriptor(PropertyUtilsBean.ja va:822)
              at org.apache.commons.beanutils.PropertyUtilsBean.isWriteable(PropertyUtilsBean.java:1235)
              at org.apache.commons.beanutils.PropertyUtils.isWriteable(PropertyUtils.java:456)
              at com.adobe.idp.dsc.component.impl.DefaultPOJOServiceInstanceFactory.createInstance(Default POJOServiceInstanceFactory.java:132)
              at com.adobe.idp.dsc.invocation.impl.InstancePerRequestStrategy.getInstance(InstancePerReque stStrategy.java:56)
              at com.adobe.idp.dsc.invocation.impl.InstanceAccessorFactory.getInstanceForInvocation(Instan ceAccessorFactory.java:55)
              at com.adobe.idp.dsc.interceptor.impl.InvocationStrategyInterceptor.allocateInstance(Invocat ionStrategyInterceptor.java:91)
              at com.adobe.idp.dsc.interceptor.impl.InvocationStrategyInterceptor.intercept(InvocationStra tegyInterceptor.java:54)
              at com.adobe.idp.dsc.interceptor.impl.RequestInterceptorChainImpl.proceed(RequestInterceptor ChainImpl.java:60)
              at com.adobe.idp.dsc.interceptor.impl.InvalidStateInterceptor.intercept(InvalidStateIntercep tor.java:37)
              at com.adobe.idp.dsc.interceptor.impl.RequestInterceptorChainImpl.proceed(RequestInterceptor ChainImpl.java:60)
              at com.adobe.idp.dsc.interceptor.impl.AuthorizationInterceptor.intercept(AuthorizationInterc eptor.java:188)
              at com.adobe.idp.dsc.interceptor.impl.RequestInterceptorChainImpl.proceed(RequestInterceptor ChainImpl.java:60)
              at com.adobe.idp.dsc.interceptor.impl.JMXInterceptor.intercept(JMXInterceptor.java:48)
              at com.adobe.idp.dsc.interceptor.impl.RequestInterceptorChainImpl.proceed(RequestInterceptor ChainImpl.java:60)
              at com.adobe.idp.dsc.engine.impl.ServiceEngineImpl.invoke(ServiceEngineImpl.java:115)
              at com.adobe.idp.dsc.routing.Router.routeRequest(Router.java:129)
              at com.adobe.idp.dsc.provider.impl.base.AbstractMessageReceiver.routeMessage(AbstractMessage Receiver.java:93)
              at com.adobe.idp.dsc.provider.impl.vm.VMMessageDispatcher.doSend(VMMessageDispatcher.java:22 5)
              at com.adobe.idp.dsc.provider.impl.base.AbstractMessageDispatcher.send(AbstractMessageDispat cher.java:66)
              at com.adobe.idp.dsc.clientsdk.ServiceClient.invoke(ServiceClient.java:208)
              ... 3 more
    Caused by: java.lang.ClassNotFoundException: IDPSchedulerService_Worker-1Class name com.adobe.edc.policy.APSDocumentServicesManagerHome from package com.adobe.edc.policy not found.
              at com.adobe.idp.dsc.DSContainerSearchPolicy.searchClassUsingParentFirst(DSContainerSearchPo licy.java:245)
              at com.adobe.idp.dsc.DSContainerSearchPolicy.findClass(DSContainerSearchPolicy.java:198)
              at org.ungoverned.moduleloader.ModuleClassLoader.loadClass(ModuleClassLoader.java:161)
              at java.lang.ClassLoader.loadClass(ClassLoader.java:247)
              ... 33 more
    Thanks --
    Chalukya

  • I am facing a problem while deploying an Entity bean in iPlanet(sp3).I have attached the exception thrown.Why has this exception occured?

    [04/Dec/2001 10:54:00:2] error: EBFP-marshal_internal: internal exception caught in kcp skeleton, ex
    ception = java.lang.NullPointerException
    [04/Dec/2001 10:54:00:2] error: Exception Stack Trace:
    java.lang.NullPointerException
    at java.util.Hashtable.get(Hashtable.java:321)
    at com.netscape.server.ejb.SQLPersistenceManager.<init>(Unknown Source)
    at com.netscape.server.ejb.SQLPersistenceManagerFactory.newInstance(Unknown Source)
    at com.netscape.server.ejb.EntityDelegateManagerImpl.getPersistenceManager(Unknown Source)
    at com.netscape.server.ejb.EntityDelegateManagerImpl.doPersistentFind(Unknown Source)
    at com.netscape.server.ejb.EntityDelegateManagerImpl.find(Unknown Source)
    at com.kivasoft.eb.EBHomeBase.findSingleByParms(Unknown Source)
    at samples.test.ejb.Entity.ejb_home_samples_test_ejb_Entity_TestEntityBean.findByPrimaryKey(
    ejb_home_samples_test_ejb_Entity_TestEntityBean.java:126)
    at samples.test.ejb.Entity.ejb_kcp_skel_TestEntityHome.findByPrimaryKey__samples_test_ejb_En
    tity_TestEntity__int(ejb_kcp_skel_TestEntityHome.java:266)
    at com.kivasoft.ebfp.FPRequest.invokenative(Native Method)
    at com.kivasoft.ebfp.FPRequest.invoke(Unknown Source)
    at samples.test.ejb.Entity.ejb_kcp_stub_TestEntityHome.findByPrimaryKey(ejb_kcp_stub_TestEnt
    ityHome.java:338)
    at samples.test.ejb.Entity.ejb_stub_TestEntityHome.findByPrimaryKey(ejb_stub_TestEntityHome.
    java:85)
    at samples.test.ejb.TestEJB.getGreeting(TestEJB.java:51)

    Hi,
    I think you are trying to test the Hello world EJB example shipped with the product. As a first
    step I would recomend you to go through every line of the document on deploying this application,
    since, I too have experienced many errors while trying to deploy the sample applications, but on
    following the documentation, I subsequently overcame all the errors and have been working with the
    applications. So please follow the steps in documentation and let me know, if you still encounter any
    issues.
    Regards
    Raj
    Sandhya S wrote:
    I am facing a problem while deploying an Entity bean in iPlanet(sp3).I
    have attached the exception thrown.Why has this exception occured?
    [04/Dec/2001 10:54:00:2] error: EBFP-marshal_internal: internal
    exception caught in kcp skeleton, ex
    ception = java.lang.NullPointerException
    [04/Dec/2001 10:54:00:2] error: Exception Stack Trace:
    java.lang.NullPointerException
    at java.util.Hashtable.get(Hashtable.java:321)
    at
    com.netscape.server.ejb.SQLPersistenceManager.<init>(Unknown Source)
    at
    com.netscape.server.ejb.SQLPersistenceManagerFactory.newInstance(Unknown
    Source)
    at
    com.netscape.server.ejb.EntityDelegateManagerImpl.getPersistenceManager(Unknown
    Source)
    at
    com.netscape.server.ejb.EntityDelegateManagerImpl.doPersistentFind(Unknown
    Source)
    at
    com.netscape.server.ejb.EntityDelegateManagerImpl.find(Unknown Source)
    at com.kivasoft.eb.EBHomeBase.findSingleByParms(Unknown
    Source)
    at
    samples.test.ejb.Entity.ejb_home_samples_test_ejb_Entity_TestEntityBean.findByPrimaryKey(
    ejb_home_samples_test_ejb_Entity_TestEntityBean.java:126)
    at
    samples.test.ejb.Entity.ejb_kcp_skel_TestEntityHome.findByPrimaryKey__samples_test_ejb_En
    tity_TestEntity__int(ejb_kcp_skel_TestEntityHome.java:266)
    at com.kivasoft.ebfp.FPRequest.invokenative(Native Method)
    at com.kivasoft.ebfp.FPRequest.invoke(Unknown Source)
    at
    samples.test.ejb.Entity.ejb_kcp_stub_TestEntityHome.findByPrimaryKey(ejb_kcp_stub_TestEnt
    ityHome.java:338)
    at
    samples.test.ejb.Entity.ejb_stub_TestEntityHome.findByPrimaryKey(ejb_stub_TestEntityHome.
    java:85)
    at samples.test.ejb.TestEJB.getGreeting(TestEJB.java:51)
    Try our New Web Based Forum at http://softwareforum.sun.com
    Includes Access to our Product Knowledge Base!

  • Exception thrown in EJB not captured in ManagedBean

    Hi. Im new in community.
    I have an EE project using JSF 1.2, EJB 3.0 deployed in Weblogic 10.3.6.
    My EJB that throws an Exception that is captured in my ManagedBean. However the exception does not reach to my ManagedBean.
    This exception should reload the page with an error message stating that the group already exists, but as the exception does not reach the ManagedBean, the page is not displayed with the error message.
    I appreciate the help. Rgrds.
    My web.xml
      <error-page>
        <exception-type>java.lang.Exception</exception-type>
        <location>/PRErrorPageView.faces</location>
      </error-page>
    My EJB:
    try {
                List<Grupo> grupos = findGrupoByName(grupo.getNomeGrupo());
                if (!grupos.isEmpty() && !alteraPermissao)
                    throw new GrupoException("msgErroGrupoNomeCadastrado");
    My ManagedBean:
    Here is the call of my EJB
    grupoServices.persisteGrupo(grupo, listCR, listCC, listCM, listCP, listMo, alteraGrupo, codigoTela, codigoUsuarioLogado);         
    cancelar();
    FacesUtil.addSuccessMessage("Grupo criado com sucesso!");
    } catch (GrupoException e) {
    logger.warning(e.getMsg());
    FacesUtil.addErrorMessage(e.getMsg());
    My class GrupoException:
    public class GrupoException extends ComponentException{
        /** The serialVersionUID */
        private static final long serialVersionUID = -6912605895523623154L;
            public GrupoException(String key){
            super(key);
    My ComponentException:
    public class ComponentException extends RuntimeException{
        /** The serialVersionUID */
        private static final long serialVersionUID = -2534006938034008594L;
        private String            msg;
        public ComponentException(String key) {
            String msgBundle = ResourcesUtil.getString(ResourcesUtil.MENSAGENS_FILE, key);
            this.msg = msgBundle;
    Weblogic log:
    ]] Root cause of ServletException.
    javax.faces.FacesException: #{cadastroGrupo.gravar}: javax.ejb.EJBException: EJB Exception: : br.com.telefonica.portal.services.exceptions.GrupoException
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl.persisteGrupo(GrupoServiceImpl.java:93)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.bea.core.repackaged.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:310)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:182)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:149)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.oracle.pitchfork.spi.MethodInvocationVisitorImpl.visit(MethodInvocationVisitorImpl.java:34)
        at weblogic.ejb.container.injection.EnvironmentInterceptorCallbackImpl.callback(EnvironmentInterceptorCallbackImpl.java:54)
        at com.oracle.pitchfork.spi.EnvironmentInterceptor.invoke(EnvironmentInterceptor.java:42)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.interceptor.ExposeInvocationInterceptor.invoke(ExposeInvocationInterceptor.java:89)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
        at $Proxy87.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.__WL_invoke(Unknown Source)
        at weblogic.ejb.container.internal.SessionLocalMethodInvoker.invoke(SessionLocalMethodInvoker.java:39)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.web.views.CadastroGrupoBean.gravar(CadastroGrupoBean.java:310)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.sun.el.parser.AstValue.invoke(AstValue.java:187)
        at com.sun.el.MethodExpressionImpl.invoke(MethodExpressionImpl.java:297)
        at javax.faces.component.MethodBindingMethodExpressionAdapter.invoke(MethodBindingMethodExpressionAdapter.java:88)
        at com.sun.faces.application.ActionListenerImpl.processAction(ActionListenerImpl.java:102)
        at javax.faces.component.UICommand.broadcast(UICommand.java:387)
        at javax.faces.component.UIViewRoot.broadcastEvents(UIViewRoot.java:475)
        at javax.faces.component.UIViewRoot.processApplication(UIViewRoot.java:756)
        at com.sun.faces.lifecycle.InvokeApplicationPhase.execute(InvokeApplicationPhase.java:82)
        at com.sun.faces.lifecycle.Phase.doPhase(Phase.java:100)
        at com.sun.faces.lifecycle.LifecycleImpl.execute(LifecycleImpl.java:118)
        at javax.faces.webapp.FacesServlet.service(FacesServlet.java:265)
        at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
        at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
        at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:301)
        at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.RequestEventsFilter.doFilter(RequestEventsFilter.java:27)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3730)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3696)
        at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
        at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:120)
        at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2273)
        at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2179)
        at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1490)
        at weblogic.work.ExecuteThread.execute(ExecuteThread.java:256)
        at weblogic.work.ExecuteThread.run(ExecuteThread.java:221)
    ; nested exception is: br.com.telefonica.portal.services.exceptions.GrupoException
        at com.sun.faces.application.ActionListenerImpl.processAction(ActionListenerImpl.java:118)
        at javax.faces.component.UICommand.broadcast(UICommand.java:387)
        at javax.faces.component.UIViewRoot.broadcastEvents(UIViewRoot.java:475)
        at javax.faces.component.UIViewRoot.processApplication(UIViewRoot.java:756)
        at com.sun.faces.lifecycle.InvokeApplicationPhase.execute(InvokeApplicationPhase.java:82)
        Truncated. see log file for complete stacktrace
    Caused By: javax.faces.el.EvaluationException: javax.ejb.EJBException: EJB Exception: : br.com.telefonica.portal.services.exceptions.GrupoException
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl.persisteGrupo(GrupoServiceImpl.java:93)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.bea.core.repackaged.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:310)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:182)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:149)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.oracle.pitchfork.spi.MethodInvocationVisitorImpl.visit(MethodInvocationVisitorImpl.java:34)
        at weblogic.ejb.container.injection.EnvironmentInterceptorCallbackImpl.callback(EnvironmentInterceptorCallbackImpl.java:54)
        at com.oracle.pitchfork.spi.EnvironmentInterceptor.invoke(EnvironmentInterceptor.java:42)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.interceptor.ExposeInvocationInterceptor.invoke(ExposeInvocationInterceptor.java:89)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
        at $Proxy87.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.__WL_invoke(Unknown Source)
        at weblogic.ejb.container.internal.SessionLocalMethodInvoker.invoke(SessionLocalMethodInvoker.java:39)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.web.views.CadastroGrupoBean.gravar(CadastroGrupoBean.java:310)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.sun.el.parser.AstValue.invoke(AstValue.java:187)
        at com.sun.el.MethodExpressionImpl.invoke(MethodExpressionImpl.java:297)
        at javax.faces.component.MethodBindingMethodExpressionAdapter.invoke(MethodBindingMethodExpressionAdapter.java:88)
        at com.sun.faces.application.ActionListenerImpl.processAction(ActionListenerImpl.java:102)
        at javax.faces.component.UICommand.broadcast(UICommand.java:387)
        at javax.faces.component.UIViewRoot.broadcastEvents(UIViewRoot.java:475)
        at javax.faces.component.UIViewRoot.processApplication(UIViewRoot.java:756)
        at com.sun.faces.lifecycle.InvokeApplicationPhase.execute(InvokeApplicationPhase.java:82)
        at com.sun.faces.lifecycle.Phase.doPhase(Phase.java:100)
        at com.sun.faces.lifecycle.LifecycleImpl.execute(LifecycleImpl.java:118)
        at javax.faces.webapp.FacesServlet.service(FacesServlet.java:265)
        at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
        at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
        at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:301)
        at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.RequestEventsFilter.doFilter(RequestEventsFilter.java:27)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3730)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3696)
        at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
        at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:120)
        at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2273)
        at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2179)
        at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1490)
        at weblogic.work.ExecuteThread.execute(ExecuteThread.java:256)
        at weblogic.work.ExecuteThread.run(ExecuteThread.java:221)
    ; nested exception is: br.com.telefonica.portal.services.exceptions.GrupoException
        at javax.faces.component.MethodBindingMethodExpressionAdapter.invoke(MethodBindingMethodExpressionAdapter.java:102)
        at com.sun.faces.application.ActionListenerImpl.processAction(ActionListenerImpl.java:102)
        at javax.faces.component.UICommand.broadcast(UICommand.java:387)
        at javax.faces.component.UIViewRoot.broadcastEvents(UIViewRoot.java:475)
        at javax.faces.component.UIViewRoot.processApplication(UIViewRoot.java:756)
        Truncated. see log file for complete stacktrace
    Caused By: javax.ejb.EJBException: EJB Exception: : br.com.telefonica.portal.services.exceptions.GrupoException
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl.persisteGrupo(GrupoServiceImpl.java:93)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.bea.core.repackaged.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:310)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:182)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:149)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.oracle.pitchfork.spi.MethodInvocationVisitorImpl.visit(MethodInvocationVisitorImpl.java:34)
        at weblogic.ejb.container.injection.EnvironmentInterceptorCallbackImpl.callback(EnvironmentInterceptorCallbackImpl.java:54)
        at com.oracle.pitchfork.spi.EnvironmentInterceptor.invoke(EnvironmentInterceptor.java:42)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.interceptor.ExposeInvocationInterceptor.invoke(ExposeInvocationInterceptor.java:89)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.doProceed(DelegatingIntroductionInterceptor.java:131)
        at com.bea.core.repackaged.springframework.aop.support.DelegatingIntroductionInterceptor.invoke(DelegatingIntroductionInterceptor.java:119)
        at com.bea.core.repackaged.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
        at com.bea.core.repackaged.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
        at $Proxy87.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.__WL_invoke(Unknown Source)
        at weblogic.ejb.container.internal.SessionLocalMethodInvoker.invoke(SessionLocalMethodInvoker.java:39)
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl_k21zc8_GrupoServicesLocalImpl.persisteGrupo(Unknown Source)
        at br.com.telefonica.portal.web.views.CadastroGrupoBean.gravar(CadastroGrupoBean.java:310)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        at com.sun.el.parser.AstValue.invoke(AstValue.java:187)
        at com.sun.el.MethodExpressionImpl.invoke(MethodExpressionImpl.java:297)
        at javax.faces.component.MethodBindingMethodExpressionAdapter.invoke(MethodBindingMethodExpressionAdapter.java:88)
        at com.sun.faces.application.ActionListenerImpl.processAction(ActionListenerImpl.java:102)
        at javax.faces.component.UICommand.broadcast(UICommand.java:387)
        at javax.faces.component.UIViewRoot.broadcastEvents(UIViewRoot.java:475)
        at javax.faces.component.UIViewRoot.processApplication(UIViewRoot.java:756)
        at com.sun.faces.lifecycle.InvokeApplicationPhase.execute(InvokeApplicationPhase.java:82)
        at com.sun.faces.lifecycle.Phase.doPhase(Phase.java:100)
        at com.sun.faces.lifecycle.LifecycleImpl.execute(LifecycleImpl.java:118)
        at javax.faces.webapp.FacesServlet.service(FacesServlet.java:265)
        at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
        at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
        at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:301)
        at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.RequestEventsFilter.doFilter(RequestEventsFilter.java:27)
        at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3730)
        at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3696)
        at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
        at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:120)
        at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2273)
        at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2179)
        at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1490)
        at weblogic.work.ExecuteThread.execute(ExecuteThread.java:256)
        at weblogic.work.ExecuteThread.run(ExecuteThread.java:221)
    ; nested exception is: br.com.telefonica.portal.services.exceptions.GrupoException
        at weblogic.ejb.container.internal.EJBRuntimeUtils.throwEJBException(EJBRuntimeUtils.java:156)
        at weblogic.ejb.container.internal.BaseLocalObject.handleSystemException(BaseLocalObject.java:887)
        at weblogic.ejb.container.internal.BaseLocalObject.handleSystemException(BaseLocalObject.java:818)
        at weblogic.ejb.container.internal.BaseLocalObject.postInvoke1(BaseLocalObject.java:517)
        at weblogic.ejb.container.internal.BaseLocalObject.__WL_postInvokeTxRetry(BaseLocalObject.java:455)
        Truncated. see log file for complete stacktrace
    Caused By: br.com.telefonica.portal.services.exceptions.GrupoException
        at br.com.telefonica.portal.services.impl.GrupoServiceImpl.persisteGrupo(GrupoServiceImpl.java:93)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:597)
        Truncated. see log file for complete stacktrace

    Tao,
              > If your ejb method is in a transaction context, then you throw application
              exception, the container will try to commit the transaction.
              In the case of an application exception, the caller will be responsible for
              committing or rolling back the transaction. (A runtime exception will roll
              back the transaction automatically.) That is why, if you use CMT, that the
              EJB methods call from outside the EJB container (such as from a servlet)
              should never be able to throw runtime exceptions.
              Peace,
              Cameron Purdy
              Tangosol, Inc.
              http://www.tangosol.com
              +1.617.623.5782
              WebLogic Consulting Available
              "Tao Zhang" <[email protected]> wrote in message
              news:3a33c04a$[email protected]..
              >
              > Hi,
              > It's ok because you look after the transaction yourself. probably you use
              the default transaction attribute 'Supports'.
              >
              > If your ejb method is in a transaction context, then you throw application
              exception, the container will try to commit the transaction.
              >
              > Hope this can help.
              > Tao Zhang
              >
              > "Gormless" <[email protected]> wrote:
              > >
              > >When I throw an application exception from within a statless session bean
              which uses jdbs for DB Lookup Only I get
              > >"Exception thrown in non-transactional EJB invoke".
              > >
              > >As this is a llokup only I have no Transaction Management
              >
              

  • Exception thrown by rmi server

    We are getting this follwing error -
    Thu Jul 18 09:41:45 EDT 2002:<E> <Adapter> Exception thrown by rmi server: [1509
    452174786178111S10.15.3.21:[7001,7001,7002,7002,7001,-1]/3]
    java.lang.SecurityException:
    at java.lang.Throwable.fillInStackTrace(Native Method)
    at java.lang.Throwable.fillInStackTrace(Compiled Code)
    at java.lang.Throwable.<init>(Compiled Code)
    at java.lang.Exception.<init>(Compiled Code)
    at java.lang.RuntimeException.<init>(Compiled Code)
    at java.lang.SecurityException.<init>(SecurityException.java:39)
    at weblogic.t3.srvr.T3Srvr.checkServerLock(T3Srvr.java:1926)
    at weblogic.jndi.internal.WLNamingManager.checkServerLock(WLNamingManage
    r.java:97)
    at weblogic.jndi.internal.RemoteContextFactoryImpl.getContext(RemoteCont
    extFactoryImpl.java:95)
    at weblogic.jndi.internal.RemoteContextFactoryImpl_WLSkel.invoke(RemoteC
    ontextFactoryImpl_WLSkel.java:55)
    at weblogic.rmi.extensions.BasicServerObjectAdapter.invoke(Compiled Code
    at weblogic.rmi.extensions.BasicRequestHandler.handleRequest(Compiled
    Co
    de)
    at weblogic.rmi.internal.BasicExecuteRequest.execute(Compiled Code)
    Does any one has a clue about this? Thanks in advance.

    I am suffering the same problem, any fix for this problem??

  • Error Occurred: Exception thrown is NOT a DSCException : UnExpected From DSC

    Hey Everybody ,
    In the context of my project. I was bring to use LiveCycle ES API  to identify with the server . so when i try to connect using the EJB proposed by livecycle i get this error :
    com.adobe.idp.um.api.UMException| [com.adobe.livecycle.usermanager.client.AuthenticationManagerServiceClient] errorCode:16385 errorCodeHEX:0x4001 message:Exception thrown is NOT a DSCException : UnExpected From DSC chainedException:ALC-DSC-000-000: com.adobe.idp.dsc.DSCRuntimeException: Internal error.chainedExceptionMessage:Internal error. chainedException trace:ALC-DSC-000-000: com.adobe.idp.dsc.DSCRuntimeException: Internal error.
    at com.adobe.idp.dsc.provider.impl.ejb.EjbMessageDispatcher.doSend(EjbMessageDispatcher.java :175)
    at com.adobe.idp.dsc.provider.impl.base.AbstractMessageDispatcher.send(AbstractMessageDispat cher.java:66)
    at com.adobe.idp.dsc.clientsdk.ServiceClient.invoke(ServiceClient.java:208)
    at com.adobe.livecycle.usermanager.client.AuthenticationManagerServiceClient.authenticate(Au thenticationManagerServiceClient.java:109)
    at com.gaselys.test.PurgeProcess.main(PurgeProcess.java:71)
    Caused by: java.rmi.RemoteException: Remote EJBObject lookup failed for 'ejb/Invocation'; nested exception is:
    org.jboss.remoting.CannotConnectException: Can not get connection to server. Problem establishing socket connection for InvokerLocator [socket://127.0.0.1:4446/?dataType=invocation&enableTcpNoDelay=true&marshaller=org.jboss. invocation.unified.marshall.InvocationMarshaller&socketTimeout=600000&unmarshaller=org.jbo ss.invocation.unified.marshall.InvocationUnMarshaller]
    at com.adobe.idp.dsc.provider.impl.ejb.EjbMessageDispatcher.initialise(EjbMessageDispatcher. java:105)
    at com.adobe.idp.dsc.provider.impl.ejb.EjbMessageDispatcher.doSend(EjbMessageDispatcher.java :141)
    ... 4 more
    Caused by: org.jboss.remoting.CannotConnectException: Can not get connection to server. Problem establishing socket connection for InvokerLocator [socket://127.0.0.1:4446/?dataType=invocation&enableTcpNoDelay=true&marshaller=org.jboss.invocation.unified.marshall .InvocationMarshaller&socketTimeout=600000&unmarshaller=org.jboss.invocation.unified.marsh all.InvocationUnMarshaller]
    at org.jboss.remoting.transport.socket.MicroSocketClientInvoker.transport(MicroSocketClientI nvoker.java:530)
    at org.jboss.remoting.MicroRemoteClientInvoker.invoke(MicroRemoteClientInvoker.java:122)
    at org.jboss.remoting.Client.invoke(Client.java:1550)
    at org.jboss.remoting.Client.invoke(Client.java:530)
    at org.jboss.invocation.unified.interfaces.UnifiedInvokerProxy.invoke(UnifiedInvokerProxy.ja va:183)
    at org.jboss.invocation.InvokerInterceptor.invokeInvoker(InvokerInterceptor.java:365)
    at org.jboss.invocation.MarshallingInvokerInterceptor.invoke(MarshallingInvokerInterceptor.j ava:63)
    at org.jboss.proxy.TransactionInterceptor.invoke(TransactionInterceptor.java:61)
    at org.jboss.proxy.SecurityInterceptor.invoke(SecurityInterceptor.java:70)
    at org.jboss.proxy.ejb.HomeInterceptor.invoke(HomeInterceptor.java:184)
    at org.jboss.proxy.ClientContainer.invoke(ClientContainer.java:100)
    at $Proxy0.create(Unknown Source)
    at com.adobe.idp.dsc.provider.impl.ejb.EjbMessageDispatcher.initialise(EjbMessageDispatcher. java:95)
    ... 5 more
    Caused by: java.net.ConnectException: Connection refused: connect
    at java.net.PlainSocketImpl.socketConnect(Native Method)
    at java.net.PlainSocketImpl.doConnect(Unknown Source)
    at java.net.PlainSocketImpl.connectToAddress(Unknown Source)
    at java.net.PlainSocketImpl.connect(Unknown Source)
    at java.net.SocksSocketImpl.connect(Unknown Source)
    at java.net.Socket.connect(Unknown Source)
    at org.jboss.remoting.transport.socket.SocketClientInvoker.createSocket(SocketClientInvoker. java:187)
    at org.jboss.remoting.transport.socket.MicroSocketClientInvoker.getConnection(MicroSocketCli entInvoker.java:801)
    at org.jboss.remoting.transport.socket.MicroSocketClientInvoker.transport(MicroSocketClientI nvoker.java:526)
    ... 17 more
    NB:  The ejb is working well on my first environment <Dev>
    I'm using Livecycle ES 2 9.0
    JBoss_4_2_1_GA
    Oracle 10g
    Any proposal or suggestion will be useful
    Naoufal FAHEM

    Awsome I have no more error
    i had to make change on my  jboss-service.xml .
    change
    <attribute name="serverBindAddress">${jboss.bind.address}</attribute>
    i changed the ${jboss.bind.address} with my server ip adress.
    now everything is working fine

  • Internal error: exception thrown from the servlet service function

    when i invoke the servlet in unix iplanet server i got the error
    Kindly let me get the solution .i am in 11th hour.
    [06/Jan/2006:09:30:28] info (10646): Internal Info: loading servlet
    /servlet/Ipl
    XmlServlet
    [06/Jan/2006:09:30:28] info (10646): /servlet/IplXmlServlet: init
    [06/Jan/2006:09:30:28] failure (10646): Internal error: exception thrown
    from the servlet service function (uri=/servlet/IplXmlServlet/):
    java.lang.NullPointerException, stack: java.lang.NullPointerException
    at IplXmlReqHandler.generateRsp(IplXmlReqHandler.java:452)
    at IplXmlReqHandler.processRequest(IplXmlReqHandler.java:168)
    at IplXmlServlet.processRequest(IplXmlServlet.java:219)
    at IplXmlServlet.doGet(IplXmlServlet.java:184)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:701)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:826)
    at
    com.netscape.server.http.servlet.NSServletRunner.Service(NSServletRun
    ner.java:513)
    Thanking you
    brindasanth

    you are in the wrong forum for this kind of question/product,
    goto:
    http://swforum.sun.com/jive/forum.jspa?forumID=16
    (in case you don't like "goto" - look at it like a "forward" :-) )
    additionally don't forget to mention
    - OS version
    - WebServer version + SP
    - .. the more the better
    rgds.
    /u

  • LiveConnect crashes browser????  External exception thrown.

    Hey,
    Im using an applet that sometimes calls liveconnect, specifically when the applet JFrame is closed, it has the browser navigate to another page.
    This part works great. Then maybe 5 minutes later, and sporadically, IE will crash and put a file on my desktop (winXP).
    Please let me know if you have any ideas, here's some code and the error file from the desktop:
    try {           
    //gets the applet reference
    JSObject win = JSObject.getWindow(
    (Applet)MainMenu.getCurrentMenu().getParent());
    //calls a javascript function, this part works great
    Object answer = win.eval("appletGlue('" + theFunction
    + "', " + questionID + ",'" + param3 + "');");
    //even checks the javascript return value...
    if (answer.toString().equals(ResourceFactory.JAVASCRIPT_SUCCESS)) {
    //done, this works fine too
    return;
    //response = "Success";
    } else {
    response = "ERROR: could not " + errorMessage + " , "
    + answer.toString();
    } catch (Exception e) {
    response = "ERROR: could not properly access the \n" +
    "browser to " + errorMessage + " , exception thrown";
    e.printStackTrace();
    JSObject is the liveconnect class
    com.ar.testbank are my classes
    =======================================================================
    An unexpected exception has been detected in native code outside the VM.
    Unexpected Signal : unknown exception code occurred at PC=0x77E6D756
    Function=RaiseException+0x50
    Library=F:\WINDOWS\system32\kernel32.dll
    Current Java thread:
         at sun.plugin.javascript.ocx.JSObject.nativeInvoke(Native Method)
         at sun.plugin.javascript.ocx.JSObject.invoke(JSObject.java:93)
         - locked <10F00B48> (a sun.plugin.javascript.ocx.JSObject)
         at sun.plugin.javascript.ocx.JSObject.getMember(JSObject.java:201)
         at sun.plugin.javascript.ocx.JSObject.eval(JSObject.java:183)
         at com.ar.testbank.ui.resources.RemoteResourceFactory.doJavascriptCall(Unknown Source)
         at com.ar.testbank.ui.resources.RemoteResourceFactory.doMainMenu(Unknown Source)
         at com.ar.testbank.ui.gui.StatusBottomPanel$5.actionPerformed(Unknown Source)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1767)
         at javax.swing.AbstractButton$ForwardActionEvents.actionPerformed(AbstractButton.java:1820)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:419)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:257)
         at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(BasicButtonListener.java:258)
         at java.awt.AWTEventMulticaster.mouseReleased(AWTEventMulticaster.java:227)
         at java.awt.Component.processMouseEvent(Component.java:5021)
         at java.awt.Component.processEvent(Component.java:4818)
         at java.awt.Container.processEvent(Container.java:1525)
         at java.awt.Component.dispatchEventImpl(Component.java:3526)
         at java.awt.Container.dispatchEventImpl(Container.java:1582)
         at java.awt.Component.dispatchEvent(Component.java:3367)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:3359)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3074)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3004)
         at java.awt.Container.dispatchEventImpl(Container.java:1568)
         at java.awt.Window.dispatchEventImpl(Window.java:1581)
         at java.awt.Component.dispatchEvent(Component.java:3367)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:445)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:191)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:144)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:138)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:130)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:98)
    Dynamic libraries:
    0x00400000 - 0x00419000      F:\Program Files\Internet Explorer\IEXPLORE.EXE
    0x77F50000 - 0x77FF9000      F:\WINDOWS\System32\ntdll.dll
    0x77E60000 - 0x77F45000      F:\WINDOWS\system32\kernel32.dll
    0x77C10000 - 0x77C63000      F:\WINDOWS\system32\msvcrt.dll
    0x77D40000 - 0x77DCD000      F:\WINDOWS\system32\USER32.dll
    0x77C70000 - 0x77CB0000      F:\WINDOWS\system32\GDI32.dll
    0x77DD0000 - 0x77E5B000      F:\WINDOWS\system32\ADVAPI32.dll
    0x77CC0000 - 0x77D35000      F:\WINDOWS\system32\RPCRT4.dll
    0x772D0000 - 0x77333000      F:\WINDOWS\system32\SHLWAPI.dll
    0x769C0000 - 0x76B09000      F:\WINDOWS\System32\SHDOCVW.dll
    0x71950000 - 0x71A34000      F:\WINDOWS\WinSxS\x86_Microsoft.Windows.Common-Controls_6595b64144ccf1df_6.0.0.0_x-ww_1382d70a\comctl32.dll
    0x773D0000 - 0x77BC4000      F:\WINDOWS\system32\SHELL32.dll
    0x77340000 - 0x773CB000      F:\WINDOWS\system32\comctl32.dll
    0x771B0000 - 0x772CA000      F:\WINDOWS\system32\ole32.dll
    0x5AD70000 - 0x5ADA4000      F:\WINDOWS\system32\uxtheme.dll
    0x74720000 - 0x7476B000      F:\WINDOWS\System32\MSCTF.dll
    0x75F80000 - 0x7607C000      F:\WINDOWS\System32\BROWSEUI.dll
    0x72430000 - 0x72442000      F:\WINDOWS\System32\browselc.dll
    0x75F40000 - 0x75F5D000      F:\WINDOWS\system32\appHelp.dll
    0x76FD0000 - 0x77048000      F:\WINDOWS\System32\CLBCATQ.DLL
    0x77120000 - 0x771AB000      F:\WINDOWS\system32\OLEAUT32.dll
    0x77050000 - 0x77115000      F:\WINDOWS\System32\COMRes.dll
    0x77C00000 - 0x77C07000      F:\WINDOWS\system32\VERSION.dll
    0x76200000 - 0x76297000      F:\WINDOWS\system32\WININET.dll
    0x762C0000 - 0x7634A000      F:\WINDOWS\system32\CRYPT32.dll
    0x762A0000 - 0x762AF000      F:\WINDOWS\system32\MSASN1.dll
    0x76F90000 - 0x76FA0000      F:\WINDOWS\System32\Secur32.dll
    0x76620000 - 0x7666E000      F:\WINDOWS\System32\cscui.dll
    0x76600000 - 0x7661B000      F:\WINDOWS\System32\CSCDLL.dll
    0x76670000 - 0x76754000      F:\WINDOWS\System32\SETUPAPI.dll
    0x760F0000 - 0x76168000      F:\WINDOWS\system32\urlmon.dll
    0x76170000 - 0x761F8000      F:\WINDOWS\System32\shdoclc.dll
    0x74770000 - 0x747FF000      F:\WINDOWS\System32\mlang.dll
    0x71AD0000 - 0x71AD8000      F:\WINDOWS\System32\wsock32.dll
    0x71AB0000 - 0x71AC5000      F:\WINDOWS\System32\WS2_32.dll
    0x71AA0000 - 0x71AA8000      F:\WINDOWS\System32\WS2HELP.dll
    0x71A50000 - 0x71A8B000      F:\WINDOWS\system32\mswsock.dll
    0x71A90000 - 0x71A98000      F:\WINDOWS\System32\wshtcpip.dll
    0x76EE0000 - 0x76F17000      F:\WINDOWS\System32\RASAPI32.DLL
    0x76E90000 - 0x76EA1000      F:\WINDOWS\System32\rasman.dll
    0x71C20000 - 0x71C6F000      F:\WINDOWS\System32\NETAPI32.dll
    0x76EB0000 - 0x76EDA000      F:\WINDOWS\System32\TAPI32.dll
    0x76E80000 - 0x76E8D000      F:\WINDOWS\System32\rtutils.dll
    0x76B40000 - 0x76B6C000      F:\WINDOWS\System32\WINMM.dll
    0x5CD70000 - 0x5CD77000      F:\WINDOWS\System32\serwvdrv.dll
    0x5B0A0000 - 0x5B0A7000      F:\WINDOWS\System32\umdmxfrm.dll
    0x722B0000 - 0x722B5000      F:\WINDOWS\System32\sensapi.dll
    0x75A70000 - 0x75B13000      F:\WINDOWS\system32\USERENV.dll
    0x75E90000 - 0x75F31000      F:\WINDOWS\System32\SXS.DLL
    0x76F20000 - 0x76F45000      F:\WINDOWS\System32\DNSAPI.dll
    0x76FB0000 - 0x76FB7000      F:\WINDOWS\System32\winrnr.dll
    0x76F60000 - 0x76F8C000      F:\WINDOWS\system32\WLDAP32.dll
    0x605D0000 - 0x605DF000      F:\WINDOWS\System32\mslbui.dll
    0x76FC0000 - 0x76FC5000      F:\WINDOWS\System32\rasadhlp.dll
    0x76D60000 - 0x76D75000      F:\WINDOWS\System32\iphlpapi.dll
    0x76DE0000 - 0x76E06000      F:\WINDOWS\System32\netman.dll
    0x76D40000 - 0x76D56000      F:\WINDOWS\System32\MPRAPI.dll
    0x76E40000 - 0x76E6F000      F:\WINDOWS\System32\ACTIVEDS.dll
    0x76E10000 - 0x76E34000      F:\WINDOWS\System32\adsldpc.dll
    0x76B20000 - 0x76B35000      F:\WINDOWS\System32\ATL.DLL
    0x71BF0000 - 0x71C01000      F:\WINDOWS\System32\SAMLIB.dll
    0x76DA0000 - 0x76DD0000      F:\WINDOWS\System32\WZCSvc.DLL
    0x76D30000 - 0x76D34000      F:\WINDOWS\System32\WMI.dll
    0x76D80000 - 0x76D9A000      F:\WINDOWS\System32\DHCPCSVC.DLL
    0x76F50000 - 0x76F58000      F:\WINDOWS\System32\WTSAPI32.dll
    0x76360000 - 0x7636F000      F:\WINDOWS\System32\WINSTA.dll
    0x74810000 - 0x74ABD000      F:\WINDOWS\System32\mshtml.dll
    0x513E0000 - 0x5140D000      F:\Program Files\Common Files\Microsoft Shared\VS7Debug\pdm.dll
    0x51300000 - 0x51328000      F:\Program Files\Common Files\Microsoft Shared\VS7Debug\msdbg2.dll
    0x746F0000 - 0x74719000      F:\WINDOWS\System32\msimtf.dll
    0x5C2C0000 - 0x5C303000      F:\WINDOWS\ime\sptip.dll
    0x76400000 - 0x765FB000      F:\WINDOWS\System32\msi.dll
    0x10000000 - 0x1005B000      F:\Program Files\Common Files\Microsoft Shared\Ink\SKCHUI.DLL
    0x32520000 - 0x32532000      F:\Program Files\Microsoft Office\Office10\msohev.dll
    0x75C50000 - 0x75CE1000      F:\WINDOWS\System32\jscript.dll
    0x746C0000 - 0x746E7000      F:\WINDOWS\System32\MSLS31.DLL
    0x74CB0000 - 0x74D1F000      F:\WINDOWS\System32\mshtmled.dll
    0x72D20000 - 0x72D29000      F:\WINDOWS\System32\wdmaud.drv
    0x72D10000 - 0x72D18000      F:\WINDOWS\System32\msacm32.drv
    0x77BE0000 - 0x77BF4000      F:\WINDOWS\System32\MSACM32.dll
    0x77BD0000 - 0x77BD7000      F:\WINDOWS\System32\midimap.dll
    0x73300000 - 0x73375000      F:\WINDOWS\System32\vbscript.dll
    0x58510000 - 0x58575000      F:\WINDOWS\System32\macromed\flash\swflash.ocx
    0x763B0000 - 0x763F5000      F:\WINDOWS\system32\comdlg32.dll
    0x6D430000 - 0x6D439000      F:\WINDOWS\System32\ddrawex.dll
    0x73760000 - 0x737A5000      F:\WINDOWS\System32\DDRAW.dll
    0x73BC0000 - 0x73BC6000      F:\WINDOWS\System32\DCIMAN32.dll
    0x71D40000 - 0x71D5B000      F:\WINDOWS\System32\actxprxy.dll
    0x6CC60000 - 0x6CC6B000      F:\WINDOWS\System32\dispex.dll
    0x72B20000 - 0x72B38000      F:\WINDOWS\System32\plugin.ocx
    0x72E00000 - 0x72F14000      F:\WINDOWS\System32\msxml3.dll
    0x5FE20000 - 0x5FE9E000      F:\WINDOWS\System32\mstime.dll
    0x66880000 - 0x6688A000      F:\WINDOWS\System32\imgutil.dll
    0x66E50000 - 0x66E8B000      F:\WINDOWS\System32\iepeers.dll
    0x73000000 - 0x73023000      F:\WINDOWS\System32\WINSPOOL.DRV
    0x05B50000 - 0x05B65000      F:\Program Files\Java\j2re1.4.0_01\bin\npjpi140_01.dll
    0x05B70000 - 0x05B8C000      F:\Program Files\Java\j2re1.4.0_01\bin\beans.ocx
    0x05B90000 - 0x05BA5000      F:\Program Files\Java\j2re1.4.0_01\bin\jpishare.dll
    0x07B00000 - 0x07C15000      F:\PROGRA~1\Java\J2RE14~1.0_0\bin\client\jvm.dll
    0x6D1D0000 - 0x6D1D7000      F:\PROGRA~1\Java\J2RE14~1.0_0\bin\hpi.dll
    0x6D300000 - 0x6D30D000      F:\PROGRA~1\Java\J2RE14~1.0_0\bin\verify.dll
    0x6D210000 - 0x6D228000      F:\PROGRA~1\Java\J2RE14~1.0_0\bin\java.dll
    0x6D320000 - 0x6D32D000      F:\PROGRA~1\Java\J2RE14~1.0_0\bin\zip.dll
    0x6D000000 - 0x6D0F6000      F:\Program Files\Java\j2re1.4.0_01\bin\awt.dll
    0x76390000 - 0x763AA000      F:\WINDOWS\System32\IMM32.dll
    0x6D180000 - 0x6D1D0000      F:\Program Files\Java\j2re1.4.0_01\bin\fontmanager.dll
    0x6D2D0000 - 0x6D2DD000      F:\Program Files\Java\j2re1.4.0_01\bin\net.dll
    0x6D130000 - 0x6D152000      F:\Program Files\Java\j2re1.4.0_01\bin\dcpr.dll
    0x05BB0000 - 0x05BBA000      F:\Program Files\Java\j2re1.4.0_01\bin\packager.dll
    0x5FF50000 - 0x5FF61000      F:\WINDOWS\System32\msratelc.dll
    0x0EE30000 - 0x0EE63000      F:\WINDOWS\System32\spool\DRIVERS\W32X86\3\UNIDRVUI.DLL
    0x07450000 - 0x0747B000      F:\WINDOWS\System32\spool\DRIVERS\W32X86\3\UNIDRV.DLL
    0x71B20000 - 0x71B31000      F:\WINDOWS\system32\MPR.dll
    0x75F60000 - 0x75F66000      F:\WINDOWS\System32\drprov.dll
    0x71C10000 - 0x71C1D000      F:\WINDOWS\System32\ntlanman.dll
    0x71CD0000 - 0x71CE6000      F:\WINDOWS\System32\NETUI0.dll
    0x71C90000 - 0x71CCC000      F:\WINDOWS\System32\NETUI1.dll
    0x71C80000 - 0x71C86000      F:\WINDOWS\System32\NETRAP.dll
    0x75F70000 - 0x75F79000      F:\WINDOWS\System32\davclnt.dll
    0x75970000 - 0x75A61000      F:\WINDOWS\System32\MSGINA.dll
    0x1F7B0000 - 0x1F7E1000      F:\WINDOWS\System32\ODBC32.dll
    0x1F850000 - 0x1F866000      F:\WINDOWS\System32\odbcint.dll
    0x76C30000 - 0x76C5B000      F:\WINDOWS\System32\wintrust.dll
    0x76C90000 - 0x76CB2000      F:\WINDOWS\system32\IMAGEHLP.dll
    0x767F0000 - 0x76814000      F:\WINDOWS\System32\schannel.dll
    0x0FFD0000 - 0x0FFF2000      F:\WINDOWS\System32\rsaenh.dll
    0x0FFA0000 - 0x0FFC1000      F:\WINDOWS\System32\dssenh.dll
    0x73D50000 - 0x73D60000      F:\WINDOWS\System32\cryptnet.dll
    0x75150000 - 0x75163000      F:\WINDOWS\System32\Cabinet.dll
    0x76C00000 - 0x76C2D000      F:\WINDOWS\System32\credui.dll
    0x5E0C0000 - 0x5E0CC000      F:\WINDOWS\System32\pstorec.dll
    0x76990000 - 0x769B4000      F:\WINDOWS\System32\ntshrui.dll
    0x61580000 - 0x615B0000      F:\WINDOWS\System32\rmoc3260.dll
    0x78000000 - 0x78048000      F:\WINDOWS\System32\PNCRT.dll
    0x5FF20000 - 0x5FF43000      F:\WINDOWS\System32\MSRATING.DLL
    0x60850000 - 0x6088D000      F:\WINDOWS\System32\msieftp.dll
    0x6BDD0000 - 0x6BE03000      F:\WINDOWS\System32\dxtrans.dll
    0x732E0000 - 0x732E5000      F:\WINDOWS\System32\RICHED32.DLL
    0x74E30000 - 0x74E9B000      F:\WINDOWS\System32\RICHED20.dll
    0x6D510000 - 0x6D58C000      F:\WINDOWS\system32\DBGHELP.dll
    0x76BF0000 - 0x76BFB000      F:\WINDOWS\System32\PSAPI.DLL
    Local Time = Tue Jul 30 03:00:10 2002
    Elapsed Time = 16075
    # The exception above was detected in native code outside the VM
    # Java VM: Java HotSpot(TM) Client VM (1.4.0_01-b03 mixed mode)

    im getting similar:
    An unexpected exception has been detected in native code outside the VM.
    Unexpected Signal : unknown exception code occurred at PC=0x77E6D756
    Function=RaiseException+0x50
    Library=C:\WINDOWS\system32\kernel32.dll
    Current Java thread:
         at sun.plugin.javascript.ocx.JSObject.nativeInvoke(Native Method)
         at sun.plugin.javascript.ocx.JSObject.invoke(Unknown Source)
         - locked <072CC118> (a sun.plugin.javascript.ocx.JSObject)
         at sun.plugin.javascript.ocx.JSObject.getMember(Unknown Source)
         at sun.plugin.javascript.ocx.JSObject.eval(Unknown Source)
         at ServerConnectionTimer.jsCall(ServerConnectionTimer.java:61)
         at ServerConnectionTimer.run(ServerConnectionTimer.java:46)
         at java.lang.Thread.run(Unknown Source)
    Dynamic libraries:
    0x00400000 - 0x00419000      C:\Program Files\Internet Explorer\IEXPLORE.EXE
    0x77F50000 - 0x77FF9000      C:\WINDOWS\System32\ntdll.dll
    0x77E60000 - 0x77F45000      C:\WINDOWS\system32\kernel32.dll
    0x77C10000 - 0x77C63000      C:\WINDOWS\system32\msvcrt.dll
    0x77D40000 - 0x77DCD000      C:\WINDOWS\system32\USER32.dll
    0x77C70000 - 0x77CB0000      C:\WINDOWS\system32\GDI32.dll
    0x77DD0000 - 0x77E5B000      C:\WINDOWS\system32\ADVAPI32.dll
    0x77CC0000 - 0x77D35000      C:\WINDOWS\system32\RPCRT4.dll
    0x772D0000 - 0x77333000      C:\WINDOWS\system32\SHLWAPI.dll
    0x71700000 - 0x71848000      C:\WINDOWS\System32\SHDOCVW.dll
    0x629C0000 - 0x629C8000      C:\WINDOWS\System32\LPK.DLL
    0x72FA0000 - 0x72FFA000      C:\WINDOWS\System32\USP10.dll
    0x71950000 - 0x71A34000      C:\WINDOWS\WinSxS\x86_Microsoft.Windows.Common-Controls_6595b64144ccf1df_6.0.0.0_x-ww_1382d70a\comctl32.dll
    0x773D0000 - 0x77BC4000      C:\WINDOWS\system32\SHELL32.dll
    0x77340000 - 0x773CB000      C:\WINDOWS\system32\comctl32.dll
    0x771B0000 - 0x772CA000      C:\WINDOWS\system32\ole32.dll
    0x5AD70000 - 0x5ADA4000      C:\WINDOWS\system32\uxtheme.dll
    0x10000000 - 0x10006000      C:\DOCUME~1\MONTED~1\LOCALS~1\Temp\IadHide3.dll
    0x75F80000 - 0x7607C000      C:\WINDOWS\System32\BROWSEUI.dll
    0x72430000 - 0x72442000      C:\WINDOWS\System32\browselc.dll
    0x75F40000 - 0x75F5D000      C:\WINDOWS\system32\appHelp.dll
    0x76FD0000 - 0x77048000      C:\WINDOWS\System32\CLBCATQ.DLL
    0x77120000 - 0x771AB000      C:\WINDOWS\system32\OLEAUT32.dll
    0x77050000 - 0x77115000      C:\WINDOWS\System32\COMRes.dll
    0x77C00000 - 0x77C07000      C:\WINDOWS\system32\VERSION.dll
    0x63000000 - 0x63094000      C:\WINDOWS\system32\WININET.dll
    0x762C0000 - 0x7634A000      C:\WINDOWS\system32\CRYPT32.dll
    0x762A0000 - 0x762AF000      C:\WINDOWS\system32\MSASN1.dll
    0x76F90000 - 0x76FA0000      C:\WINDOWS\System32\Secur32.dll
    0x76620000 - 0x7666E000      C:\WINDOWS\System32\cscui.dll
    0x76600000 - 0x7661B000      C:\WINDOWS\System32\CSCDLL.dll
    0x76670000 - 0x76754000      C:\WINDOWS\System32\SETUPAPI.dll
    0x1A400000 - 0x1A479000      C:\WINDOWS\system32\urlmon.dll
    0x00E50000 - 0x00ED8000      C:\WINDOWS\System32\shdoclc.dll
    0x74770000 - 0x747FF000      C:\WINDOWS\System32\mlang.dll
    0x71AD0000 - 0x71AD8000      C:\WINDOWS\System32\wsock32.dll
    0x71AB0000 - 0x71AC5000      C:\WINDOWS\System32\WS2_32.dll
    0x71AA0000 - 0x71AA8000      C:\WINDOWS\System32\WS2HELP.dll
    0x71A50000 - 0x71A8B000      C:\WINDOWS\system32\mswsock.dll
    0x71A90000 - 0x71A98000      C:\WINDOWS\System32\wshtcpip.dll
    0x00DE0000 - 0x00E19000      C:\WINDOWS\System32\RASAPI32.DLL
    0x76E90000 - 0x76EA1000      C:\WINDOWS\System32\rasman.dll
    0x71C20000 - 0x71C6F000      C:\WINDOWS\System32\NETAPI32.dll
    0x76EB0000 - 0x76EDA000      C:\WINDOWS\System32\TAPI32.dll
    0x76E80000 - 0x76E8D000      C:\WINDOWS\System32\rtutils.dll
    0x76B40000 - 0x76B6C000      C:\WINDOWS\System32\WINMM.dll
    0x76400000 - 0x765FB000      C:\WINDOWS\System32\msi.dll
    0x75A70000 - 0x75B13000      C:\WINDOWS\system32\USERENV.dll
    0x75E90000 - 0x75F31000      C:\WINDOWS\System32\SXS.DLL
    0x0FFD0000 - 0x0FFF2000      C:\WINDOWS\System32\rsaenh.dll
    0x76F20000 - 0x76F45000      C:\WINDOWS\System32\DNSAPI.dll
    0x76FB0000 - 0x76FB7000      C:\WINDOWS\System32\winrnr.dll
    0x76F60000 - 0x76F8C000      C:\WINDOWS\system32\WLDAP32.dll
    0x722B0000 - 0x722B5000      C:\WINDOWS\System32\sensapi.dll
    0x76FC0000 - 0x76FC5000      C:\WINDOWS\System32\rasadhlp.dll
    0x63580000 - 0x63825000      C:\WINDOWS\System32\mshtml.dll
    0x746F0000 - 0x74719000      C:\WINDOWS\System32\msimtf.dll
    0x60000000 - 0x6004C000      C:\WINDOWS\System32\MSCTF.dll
    0x76390000 - 0x763AA000      C:\WINDOWS\System32\IMM32.DLL
    0x75C50000 - 0x75CE1000      C:\WINDOWS\System32\jscript.dll
    0x66E50000 - 0x66E8B000      C:\WINDOWS\System32\iepeers.dll
    0x73000000 - 0x73023000      C:\WINDOWS\System32\WINSPOOL.DRV
    0x746C0000 - 0x746E7000      C:\WINDOWS\System32\MSLS31.DLL
    0x74CB0000 - 0x74D1F000      C:\WINDOWS\System32\mshtmled.dll
    0x72D20000 - 0x72D29000      C:\WINDOWS\System32\wdmaud.drv
    0x72D10000 - 0x72D18000      C:\WINDOWS\System32\msacm32.drv
    0x77BE0000 - 0x77BF4000      C:\WINDOWS\System32\MSACM32.dll
    0x77BD0000 - 0x77BD7000      C:\WINDOWS\System32\midimap.dll
    0x71D40000 - 0x71D5B000      C:\WINDOWS\System32\ACTXPRXY.DLL
    0x66880000 - 0x6688A000      C:\WINDOWS\System32\imgutil.dll
    0x6B600000 - 0x6B671000      C:\WINDOWS\System32\vbscript.dll
    0x58510000 - 0x58575000      C:\WINDOWS\System32\macromed\flash\swflash.ocx
    0x763B0000 - 0x763F5000      C:\WINDOWS\system32\comdlg32.dll
    0x6D430000 - 0x6D439000      C:\WINDOWS\System32\ddrawex.dll
    0x73760000 - 0x737A5000      C:\WINDOWS\System32\DDRAW.dll
    0x73BC0000 - 0x73BC6000      C:\WINDOWS\System32\DCIMAN32.dll
    0x01E90000 - 0x01EA5000      C:\Program Files\Java\j2re1.4.0\bin\npjpi140.dll
    0x033E0000 - 0x033FC000      C:\Program Files\Java\j2re1.4.0\bin\beans.ocx
    0x036D0000 - 0x036E5000      C:\Program Files\Java\j2re1.4.0\bin\jpishare.dll
    0x03CD0000 - 0x03DE2000      C:\PROGRA~1\Java\J2RE14~1.0\bin\client\jvm.dll
    0x6D1D0000 - 0x6D1D7000      C:\PROGRA~1\Java\J2RE14~1.0\bin\hpi.dll
    0x6D300000 - 0x6D30D000      C:\PROGRA~1\Java\J2RE14~1.0\bin\verify.dll
    0x6D210000 - 0x6D228000      C:\PROGRA~1\Java\J2RE14~1.0\bin\java.dll
    0x6D320000 - 0x6D32D000      C:\PROGRA~1\Java\J2RE14~1.0\bin\zip.dll
    0x6D000000 - 0x6D0F6000      C:\Program Files\Java\j2re1.4.0\bin\awt.dll
    0x6D180000 - 0x6D1D0000      C:\Program Files\Java\j2re1.4.0\bin\fontmanager.dll
    0x69500000 - 0x6981E000      C:\WINDOWS\System32\nvoglnt.dll
    0x6D2D0000 - 0x6D2DD000      C:\Program Files\Java\j2re1.4.0\bin\net.dll
    0x6D130000 - 0x6D152000      C:\Program Files\Java\j2re1.4.0\bin\dcpr.dll
    0x03F60000 - 0x03F6A000      C:\Program Files\Java\j2re1.4.0\bin\packager.dll
    0x6D280000 - 0x6D29E000      C:\Program Files\Java\j2re1.4.0\bin\jpeg.dll
    0x732E0000 - 0x732E5000      C:\WINDOWS\System32\RICHED32.DLL
    0x74E30000 - 0x74E9B000      C:\WINDOWS\System32\RICHED20.dll
    0x6D2A0000 - 0x6D2C1000      C:\Program Files\Java\j2re1.4.0\bin\jsound.dll
    0x76C90000 - 0x76CB2000      C:\WINDOWS\system32\imagehlp.dll
    0x6D510000 - 0x6D58C000      C:\WINDOWS\system32\DBGHELP.dll
    0x76BF0000 - 0x76BFB000      C:\WINDOWS\System32\PSAPI.DLL
    Local Time = Thu Aug 29 22:41:50 2002
    Elapsed Time = 727
    # The exception above was detected in native code outside the VM
    # Java VM: Java HotSpot(TM) Client VM (1.4.0-b92 mixed mode)

Maybe you are looking for