Error FND_WF_IN_PROGRESS_FOR_TXN while invoking workflow via OA Framework

Hello,
I am invoking a workflow from OA Framework page.
Basically I am creating an entity and at the end of the entity creation, I am triggering workflow for its approval. It works first time and now I create a new entity and
try to trigger approval, I get this error.
Error MESSAGE_NAME is FND_WF_IN_PROGRESS_FOR_TXN and Text is (from FND_NEW_MESSAGES table)
Workflow with item type (&ITEMTYPE) and item key (&ITEMKEY) is in progress. Abort existing workflow before launching a new process for this transaction.
For some reason, exception shows item key, of the workflow which got successfully triggered earlier.
So second time, when I try to trigger workflow Item key used is Item key: XXIFMS_NO_100072
but exception is for previous key
oracle.apps.fnd.framework.OAException: Application: FND, Message Name: FND_WF_IN_PROGRESS_FOR_TXN. Tokens: ITEMTYPE = XXIFMSSA; ITEMKEY = XXIFMS_NO_100071; at oracle.apps.fnd.framework.webui.OANavigation.initialize(OANavigation.java:233) at oracle.apps.fnd.framework.webui.OANavigation.createProcess
Here is my code to generate, item key (based on a sequence)
String serialNumber = "XXIFMS_NO_";
String wfItemKey = serialNumber + tr.getSequenceValue("POR_REQ_NUMBER_S").toString();Error seems to suggest that within one transaction only one workflow can be launched.
Is there a way to explicitly start a new transaction using AM?
regards, Yora

The error comes from the initialize method in the OANavigation class. You can either extend the class and override any needed methods, or add code to the AM to set up the Workflow context so that you can use the API w/o the Oracle Applications wrapper. It looks like the Wrapper was made available mainly for using WF for the pages in OA framework.
Instead of creating a new class, I added the code to my application module. Afterwards I can submit multiple workflows. An overview of what I did is:
1. Add required imports to AMimpl
2. Add two methods to AMimpl: setUpWF, releaseWFJdbcConnection, submitToWorkflow
3. Call the methods to submit to workflow in the apply method before calling the commit method.
4. Call the apply method as normal from the controller.
AM IMPL --->
import java.text.SimpleDateFormat;
import java.math.BigDecimal;
import oracle.apps.fnd.framework.server.OADBTransactionImpl;
import oracle.apps.fnd.wf.WFContext;
import oracle.apps.fnd.wf.engine.WFEngineAPI;
import oracle.apps.fnd.wf.WFDB;
import oracle.apps.fnd.common.AppsContext;
import java.sql.Connection;
public void apply()
OADBTransactionImpl txn = null;
//Now we need to save the new attrs to the database.
try
txn = ((OADBTransactionImpl)this.getTransaction());
EntryVOImpl vo = getEntryVO1();
this.setUpWF(txn);
Row[] rows = vo.getAllRowsInRange();
for (int i = 0; i < rows.length; i++)
String requestID = rows.getAttribute("RecordId").toString();
if (requestID.equals(null))
throw new OAException ("No record ID available for line " + String.valueOf(i) + ". Skipping...");
}//if
if (rows[i].getAttribute("LineStatus").toString().equals("In Process"))
System.out.println("Record for line " + String.valueOf(i) + " is in process. Skipping...");
}//if
else
String[] workflowValues = submitToWorkflow(requestID);
//Now Assign he workflow values to the attributes.
rows[i].setAttribute("WfItemType", workflowValues[0]);
rows[i].setAttribute("WfItemKey", workflowValues[1]);
}//else
}//for
}//try
catch (Exception e)
throw new OAException("Error submitting to New Demand Workflow: "+e.getMessage());
finally
releaseWFJdbcConnection(txn);
try
this.getTransaction().commit();
}//try
catch (Exception e)
System.out.println("Error saving demand request data; " + e.getMessage());
e.printStackTrace();
throw new OAException("Error saving demand request data; " + e.getMessage());
}//catch
}//apply
private String[] submitToWorkflow(String recordID)
String [] returnValues = {"", ""};
try
String wfItemType = this.getWFItemType();
String wfProcess = this.getWFProcess();
java.util.Date currentDate = new java.util.Date();
SimpleDateFormat formatter = new SimpleDateFormat("MMddyyyyHHmmss");
String wfItemKey = recordID + ":" + formatter.format(currentDate); /*Concat the header and the date string from current record*/
OADBTransactionImpl txn = ((OADBTransactionImpl)this.getTransaction());
WFContext ctx = null;
ctx = (WFContext)txn.findObject("wfContext");
if (ctx == null)
throw new OAException ("Transaction Context is Null!!");
System.out.println("\n\n\tAttempting to Submit to workflow: " + wfItemKey + "...");
BigDecimal recordIDBD = new BigDecimal(recordID);
//Call Workflow
WFEngineAPI.createProcess((WFContext)txn.findObject("wfContext"), wfItemType, wfItemKey, wfProcess );
System.out.println("1");
WFEngineAPI.setItemOwner((WFContext)txn.findObject("wfContext"), wfItemType, wfItemKey, txn.getUserName());
//System.out.println("2");
WFEngineAPI.setItemAttrNumber((WFContext)txn.findObject("wfContext"), wfItemType, wfItemKey, "XXAAI_RECORD_ID", recordIDBD);
System.out.println("3");
WFEngineAPI.startProcess((WFContext)txn.findObject("wfContext"), wfItemType, wfItemKey);
System.out.println("4");
returnValues[0] = wfItemType;
returnValues[1] = wfItemKey;
return returnValues;
}//try
catch (OAException oe)
System.out.println("OA Framework Error launching workflow: " + oe.getMessage());
throw oe;
}//catch
catch (Exception e)
System.out.println("Error launching workflow: " + e.getMessage());
e.printStackTrace();
throw new OAException (e.getMessage());
}//submitToWorkflow
private void releaseWFJdbcConnection(OADBTransactionImpl oadbtransactionimpl)
AppsContext appscontext = oadbtransactionimpl.getAppsContext();
WFContext wfcontext = (WFContext)oadbtransactionimpl.findObject("wfContext");
Connection connection = wfcontext.getJDBCConnection();
if(connection != null)
appscontext.releaseExtraJDBCConnection(connection);
wfcontext.setJDBCConnection(null);
}//releaseWFJdbcConnection
private void setUpWF (OADBTransactionImpl txn)
try
WFDB wfdb = new WFDB();
AppsContext appsContext = txn.getAppsContext();
String enc = appsContext.getCurrLangCode();
if(enc == null)
enc = "US";
}//if
String s1 = enc.substring(enc.indexOf('.') + 1);
wfSessionID = appsContext.getSessionId();
Connection connection = appsContext.getExtraJDBCConnection(wfdb, appsContext.getSessionId());
wfdb.setConnection(connection);
WFContext wfcontext = new WFContext(wfdb, s1);
txn.registerObject("wfContext", wfcontext);
catch(Exception exception)
this.releaseWFJdbcConnection(txn);
throw new OAException("Error getting workflow context: " + exception.getMessage());
}//catch
}//setUpWF
Oracle is removing some text. For instance areas with [i] are being removed. If reposting does not fix the issue, then note in the example code you need to recompile and you may need to add the array indexes manually.
***** NOte Oracle's Editor is remvoing text from the code I posted. I don't have time to troubleshoot this. The ARRAY Indicators are being removed. Make sure you compile and manually put back the ARRAY INDEXES as needed in the sample code.*****************

Similar Messages

  • Error handling while invoking TaskService

    Hi All,
    we are using SOA Suite 10.1.3.5
    In one of the BPEL processes we are invoking TaskService. This invoke is the one that gets generated by default when a human task is used.
    We are using Single Approver Participant type and the users of it are derived from Active Directory.To access Active directory we are using a username and password.The password got expired and so the bpel instance containing the human task got stuck at invoke Task Service. There was no exception thrown in the process instance.Now we are asked to implement a Retry logic whenever such a thing happens. But unable to proceed as there is no exception thrown in the console to catch it. Can you please tell me how to implement retry in this scenario? However the error is captured in opmn logs as follows:
    ORABPEL-10509
    User is not found.
    User "L-DCNM-S-M91BXK9=" is not found in realm "AD".
    Check the error stack and fix the cause of the error. Contact oracle support if error is not fixable.
         at oracle.tip.pc.services.identity.ldap.LDAPProvider.lookupUser(LDAPProvider.java:648)
         at oracle.tip.pc.services.identity.ldap.LDAPAuthorizationService.lookupUser(LDAPAuthorizationService.java:127)
         at oracle.tip.pc.services.identity.ldap.LDAPIdentityService.lookupUser(LDAPIdentityService.java:110)
         at oracle.bpel.services.workflow.verification.impl.VerificationService.lookupUser(VerificationService.java:3014)
         at oracle.bpel.services.workflow.verification.impl.VerificationService.authenticateUser(VerificationService.java:365)
         at oracle.bpel.services.workflow.query.impl.TaskQueryService.authenticate(TaskQueryService.java:162)
         at oracle.bpel.services.workflow.query.ejb.TaskQueryServiceBean.authenticate(TaskQueryServiceBean.java:40)
         at sun.reflect.GeneratedMethodAccessor74.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:585)
         at com.evermind.server.ejb.interceptor.joinpoint.EJBJoinPointImpl.invoke(EJBJoinPointImpl.java:35)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.JAASInterceptor$1.run(JAASInterceptor.java:31)
         at java.security.AccessController.doPrivileged(Native Method)
         at javax.security.auth.Subject.doAs(Subject.java:396)
         at com.evermind.server.ThreadState.runAs(ThreadState.java:707)
         at com.evermind.server.ejb.interceptor.system.JAASInterceptor.invoke(JAASInterceptor.java:34)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.TxBeanManagedInterceptor.invoke(TxBeanManagedInterceptor.java:53)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.InvocationContextPool.invoke(InvocationContextPool.java:55)
         at com.evermind.server.ejb.StatelessSessionEJBObject.OC4J_invokeMethod(StatelessSessionEJBObject.java:87)
         at TaskQueryService_RemoteProxy_18b3fg8.authenticate(Unknown Source)
         at sun.reflect.GeneratedMethodAccessor73.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:585)
         at com.evermind.server.rmi.RmiMethodCall.run(RmiMethodCall.java:67)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    <2011-07-08 13:24:39,957> <ERROR> <eif_domain.collaxa.cube.services> <*::*> WorkflowService:: VerificationService.authenticateUser: error: Internal Error in Verification Service.
    <2011-07-08 13:24:39,957> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Internal Error in Verification Service for user L-DCNM-S-M91BXK9=. lookupUser
    <2011-07-08 13:24:39,957> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Check the underlying exception and correct the error. Contact oracle support if error is not fixable.
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*> ORABPEL-30501
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Error in authenticating user.
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Error in authenticating and creating a workflow context for user AD/bpmadmin.
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Check the underlying exception and correct the error. Contact oracle support if error is not fixable.
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.verification.impl.VerificationService.authenticateUser(VerificationService.java:387)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.query.impl.TaskQueryService.authenticate(TaskQueryService.java:162)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.query.ejb.TaskQueryServiceBean.authenticate(TaskQueryServiceBean.java:40)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at sun.reflect.GeneratedMethodAccessor74.invoke(Unknown Source)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at java.lang.reflect.Method.invoke(Method.java:585)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.joinpoint.EJBJoinPointImpl.invoke(EJBJoinPointImpl.java:35)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.system.JAASInterceptor$1.run(JAASInterceptor.java:31)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at java.security.AccessController.doPrivileged(Native Method)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at javax.security.auth.Subject.doAs(Subject.java:396)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ThreadState.runAs(ThreadState.java:707)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.system.JAASInterceptor.invoke(JAASInterceptor.java:34)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.system.TxBeanManagedInterceptor.invoke(TxBeanManagedInterceptor.java:53)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
    <2011-07-08 13:24:39,958> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.InvocationContextPool.invoke(InvocationContextPool.java:55)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.ejb.StatelessSessionEJBObject.OC4J_invokeMethod(StatelessSessionEJBObject.java:87)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at TaskQueryService_RemoteProxy_18b3fg8.authenticate(Unknown Source)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at sun.reflect.GeneratedMethodAccessor73.invoke(Unknown Source)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at java.lang.reflect.Method.invoke(Method.java:585)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.server.rmi.RmiMethodCall.run(RmiMethodCall.java:67)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at java.lang.Thread.run(Thread.java:595)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Caused by: ORABPEL-30504
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Internal Error in Verification Service.
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Internal Error in Verification Service for user L-DCNM-S-M91BXK9=. lookupUser
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Check the underlying exception and correct the error. Contact oracle support if error is not fixable.
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.verification.impl.VerificationService.lookupUser(VerificationService.java:3018)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.verification.impl.VerificationService.authenticateUser(VerificationService.java:365)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      ... 28 more
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Caused by: ORABPEL-10509
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> User is not found.
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> User "L-DCNM-S-M91BXK9=" is not found in realm "AD".
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*> Check the error stack and fix the cause of the error. Contact oracle support if error is not fixable.
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.tip.pc.services.identity.ldap.LDAPProvider.lookupUser(LDAPProvider.java:648)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.tip.pc.services.identity.ldap.LDAPAuthorizationService.lookupUser(LDAPAuthorizationService.java:127)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.tip.pc.services.identity.ldap.LDAPIdentityService.lookupUser(LDAPIdentityService.java:110)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      at oracle.bpel.services.workflow.verification.impl.VerificationService.lookupUser(VerificationService.java:3014)
    <2011-07-08 13:24:39,959> <ERROR> <eif_domain.collaxa.cube.services> <*::*>      ... 29 more
    <2011-07-08 13:24:39,959> <ERROR> <oracle.bpel.services.workflow> <::> Internal Error in Verification Service.
    Internal Error in Verification Service for user L-DCNM-S-M91BXK9=. lookupUser
    Check the underlying exception and correct the error. Contact oracle support if error is not fixable.
    ORABPEL-30504
    Internal Error in Verification Service.
    Internal Error in Verification Service for user L-DCNM-S-M91BXK9=. lookupUser
    Check the underlying exception and correct the error. Contact oracle support if error is not fixable.
         at oracle.bpel.services.workflow.verification.impl.VerificationService.lookupUser(VerificationService.java:3018)
         at oracle.bpel.services.workflow.verification.impl.VerificationService.authenticateUser(VerificationService.java:365)
         at oracle.bpel.services.workflow.query.impl.TaskQueryService.authenticate(TaskQueryService.java:162)
         at oracle.bpel.services.workflow.query.ejb.TaskQueryServiceBean.authenticate(TaskQueryServiceBean.java:40)
         at sun.reflect.GeneratedMethodAccessor74.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:585)
         at com.evermind.server.ejb.interceptor.joinpoint.EJBJoinPointImpl.invoke(EJBJoinPointImpl.java:35)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.JAASInterceptor$1.run(JAASInterceptor.java:31)
         at java.security.AccessController.doPrivileged(Native Method)
         at javax.security.auth.Subject.doAs(Subject.java:396)
         at com.evermind.server.ThreadState.runAs(ThreadState.java:707)
         at com.evermind.server.ejb.interceptor.system.JAASInterceptor.invoke(JAASInterceptor.java:34)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.TxBeanManagedInterceptor.invoke(TxBeanManagedInterceptor.java:53)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
         at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
         at com.evermind.server.ejb.InvocationContextPool.invoke(InvocationContextPool.java:55)
         at com.evermind.server.ejb.StatelessSessionEJBObject.OC4J_invokeMethod(StatelessSessionEJBObject.java:87)
         at TaskQueryService_RemoteProxy_18b3fg8.authenticate(Unknown Source)
         at sun.reflect.GeneratedMethodAccessor73.invoke(Unknown Source)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:585)
         at com.evermind.server.rmi.RmiMethodCall.run(RmiMethodCall.java:67)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    Caused by: ORABPEL-10509
    User is not found.
    User "L-DCNM-S-M91BXK9=" is not found in realm "AD".
    Check the error stack and fix the cause of the error. Contact oracle support if error is not fixable.
         at oracle.tip.pc.services.identity.ldap.LDAPProvider.lookupUser(LDAPProvider.java:648)
         at oracle.tip.pc.services.identity.ldap.LDAPAuthorizationService.lookupUser(LDAPAuthorizationService.java:127)
         at oracle.tip.pc.services.identity.ldap.LDAPIdentityService.lookupUser(LDAPIdentityService.java:110)
         at oracle.bpel.services.workflow.verification.impl.VerificationService.lookupUser(VerificationService.java:3014)
         ... 29 more
    <2011-07-08 13:32:36,768> <INFO> <eif_domain.collaxa.cube.engine.dispatch> <CallbackInvokerMessageHandler::handle> Wait for 2 seconds before retrying callback for 992573-BpInv0-BpSeq3.286-6
    <2011-07-08 13:49:02,501> <INFO> <eif_domain.collaxa.cube.engine.dispatch> <CallbackInvokerMessageHandler::handle> Wait for 2 seconds before retrying callback for 992588-BpInv0-BpSeq3.28-6
    <2011-07-08 14:11:34,778> <INFO> <eif_domain.collaxa.cube.engine.dispatch> <CallbackInvokerMessageHandler::handle> Wait for 2 seconds before retrying callback for 992606-BpInv0-BpSeq3.288-6
    <2011-07-08 14:43:16,839> <INFO> <eif_domain.collaxa.cube.engine.dispatch> <CallbackInvokerMessageHandler::handle> Wait for 2 seconds before retrying callback for 992650-BpInv0-BpSeq3.291-6
    11/07/08 14:56:54 [MYDEBUG] admin user = null
    <2011-07-08 15:06:49,877> <WARN> <eif_domain.collaxa.cube.ws> <WSInvocationManager::Failed to get callback ServiceName in wsdl> Failed get wsdl service definition.
    Failed to get a WSDL service that support the portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" in WSDL definition "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskService".
    Please verify that WSDL portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" is supported by a service in WSDL file.
    <2011-07-08 15:06:51,574> <WARN> <eif_domain.collaxa.cube.ws> <WSInvocationManager::Failed to get callback ServiceName in wsdl> Failed get wsdl service definition.
    Failed to get a WSDL service that support the portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" in WSDL definition "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskService".
    Please verify that WSDL portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" is supported by a service in WSDL file.
    <2011-07-08 15:06:52,427> <WARN> <eif_domain.collaxa.cube.ws> <WSInvocationManager::Failed to get callback ServiceName in wsdl> Failed get wsdl service definition.
    Failed to get a WSDL service that support the portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" in WSDL definition "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskService".
    Please verify that WSDL portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" is supported by a service in WSDL file.
    <2011-07-08 15:06:53,154> <WARN> <eif_domain.collaxa.cube.ws> <WSInvocationManager::Failed to get callback ServiceName in wsdl> Failed get wsdl service definition.
    Failed to get a WSDL service that support the portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" in WSDL definition "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskService".
    Please verify that WSDL portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" is supported by a service in WSDL file.
    <2011-07-08 15:06:53,872> <WARN> <eif_domain.collaxa.cube.ws> <WSInvocationManager::Failed to get callback ServiceName in wsdl> Failed get wsdl service definition.
    Failed to get a WSDL service that support the portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" in WSDL definition "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskService".
    Please verify that WSDL portType "{http://xmlns.oracle.com/bpel/workflow/taskService}TaskServiceCallback" is supported by a service in WSDL file.

    Hi Stèphane,
    You can use a Start Routine in Transfer or Update Rules that read the /BI0/Pxxxxx or /BIC/Pxxxxx Master Data table and delete all records where there is no corresponding value already stored.
    You can also use /BI0/Sxxxxx or /BIC/Sxxxxx.
    Ciao.
    Riccardo.

  • Error while invoking WorkFlow thru a link

    All,
    I have created a link which shows up on END USER HOME PAGE, this link in turn has to invoke the Update user workflow. When i click on that link...i get this ERROR :-
    View access denied to Subject xxxx on TaskDefinition: Workflow-UpdateUser.
    I tried changing authType to ' ENDUSERTASK ' , 'USERADMINTASK' and also 'ENDUSERRULE'
    But Still the error shows up...
    any suggestions?
    Edited by: neeraj_shah on Nov 2, 2007 12:14 PM
    Edited by: neeraj_shah on Nov 2, 2007 12:15 PM

    Hi Neeraj,
    Add ur w/f in Configuration, #ID#CONFIGURATION:ENDUSERTASKS object.
    Thanx
    Shant

  • Error Occured while Invoking a BPEL Process from JAVA

    Hi.....
    When initiating a BPEL process from JAVA the code is working fine and the Process is getting initiated.But while using that code in J2EE project as a java code and while calling that method Error is occuring.....
    Here by i am attaching my JAVA Code which runs as an applicateion and package which runs in Server....
    JSP and Java Method Used:
    JSP Code:
    ===============
    <%@ page import=" bo.callbpel" %>
    <%@ page language="java" contentType="text/html; charset=ISO-8859-1"
    pageEncoding="ISO-8859-1"%>
    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
    <html>
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
    <title>FEATT - I30</title>
    </head>
    <body>
    <%
    String input=request.getParameter("dnvalue");
    callbpel p=new callbpel();
    String Output=p.Initiate(input);
    out.print("The Input Given to the BPEL Process is : "+input);
    %>
    <BR><BR><BR><BR><BR><BR>
    <%
    out.print("The Reply from BPEL Process is : "+Output);
    %>
    </body>
    </html>
    Java Code:
    package bo;
    import com.oracle.bpel.client.Locator;
    import com.oracle.bpel.client.NormalizedMessage;
    import com.oracle.bpel.client.delivery.IDeliveryService;
    import java.util.Map;
    import java.util.Properties;
    import oracle.xml.parser.v2.XMLElement;
    /*import javax.servlet.RequestDispatcher;
    import javax.servlet.ServletConfig;
    import javax.servlet.ServletException;
    import javax.servlet.http.HttpServlet;
    import javax.servlet.http.HttpServletRequest ;
    import javax.servlet.http.HttpServletResponse;
    import javax.servlet.http.HttpSession; */
    //import java.util.*;
    import javax.naming.Context;
    import javax.naming.InitialContext;
    import javax.naming.NamingException;
    public class callbpel {
         public String Initiate(String value){
              String replyText=null;
              String input = value;
              System.out.println(input);
              String xmlInput= "<ns1:AccessDBBPELProcessRequest xmlns:ns1=\"http://xmlns.oracle.com/AccessDBBPEL\"><ns1:input>"+input+"</ns1:input></ns1:AccessDBBPELProcessRequest>";
              String xml="<ns1:BPELProcess1ProcessRequest xmlns:ns1=\"http://xmlns.oracle.com/BPELProcess1\">";
              xml=xml+"<ns1:input>"+input+"</ns1:input>";
              xml=xml+"</ns1:BPELProcess1ProcessRequest>";
              try{
              Properties props=new Properties();
              props.setProperty("orabpel.platform","ias_10g");
              props.setProperty("java.naming.factory.initial","com.evermind.server.rmi.RMIInitialContextFactory");
              props.setProperty("java.naming.provider.url","opmn:ormi://157.227.132.226:6003:home/orabpel");
              props.setProperty("java.naming.security.principal","oc4jadmin");
              props.setProperty("java.naming.security.credentials","oc4jadmin");
              props.setProperty("dedicated.rmicontext", "true");
              Locator locator = new Locator("default", "bpel", props);
              String uniqueBpelId = com.collaxa.cube.util.GUIDGenerator.generateGUID();
              //System.out.println(uniqueBpelId);
              //java.util.Map msgProps = new HashMap();
              System.out.println("After creating the locator object......");
              IDeliveryService deliveryService =(IDeliveryService)locator.lookupService(IDeliveryService.SERVICE_NAME);
              System.out.println("Before creating the NormalizedMessage object......");
              NormalizedMessage nm = new NormalizedMessage();
              System.out.println("After creating the NormalizedMessage object.*.*.*...");
              //msgProps.put("conversationId",uniqueBpelId);
              //nm.setProperty("conversationId",uniqueBpelId);
              nm.addPart("payload", xml);
              System.out.println("Before creating response object......");
              NormalizedMessage res = deliveryService.request("BPELProcess1", "process", nm);
              System.out.println("After calling the BPELProcess1 .*.*.*...");
              Map payload = res.getPayload();
              System.out.println("BPEL called");
              XMLElement xmlEl=(oracle.xml.parser.v2.XMLElement)payload.get("payload");
              replyText=xmlEl.getText();
              System.out.println("Reply from BPEL Process>>>>>>>>>>>>> "+replyText);
              catch (Exception e) {
              System.out.println("Exception : "+e);
              e.printStackTrace();
              return replyText;
    While Creating and Object for the Class callbpel and Whilw Calling that Method
    callbpel p=new callbpel();
    String Output=p.Initiate(input);
    Its throwing an Error:
    Error Occured is:
    After creating the locator object......
    Before creating the NormalizedMessage object......
    After creating the NormalizedMessage object.*.*.*...
    Before creating response object......
    Apr 24, 2008 9:12:00 AM org.apache.catalina.core.StandardWrapperValve invoke
    SEVERE: Servlet.service() for servlet jsp threw exception
    java.lang.NoClassDefFoundError: javax/ejb/EJBException
         at com.oracle.bpel.client.util.ExceptionUtils.handleServerException(ExceptionUtils.java:76)
         at com.oracle.bpel.client.delivery.DeliveryService.getDeliveryBean(DeliveryService.java:254)
         at com.oracle.bpel.client.delivery.DeliveryService.request(DeliveryService.java:83)
         at com.oracle.bpel.client.delivery.DeliveryService.request(DeliveryService.java:53)
         at bo.callbpel.Initiate(callbpel.java:55)
         at org.apache.jsp.output_jsp._jspService(output_jsp.java:55)
         at org.apache.jasper.runtime.HttpJspBase.service(HttpJspBase.java:98)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:803)
         at org.apache.jasper.servlet.JspServletWrapper.service(JspServletWrapper.java:331)
         at org.apache.jasper.servlet.JspServlet.serviceJspFile(JspServlet.java:329)
         at org.apache.jasper.servlet.JspServlet.service(JspServlet.java:265)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:803)
         at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:269)
         at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:188)
         at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:213)
         at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:174)
         at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:127)
         at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:117)
         at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:108)
         at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:151)
         at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:874)
         at org.apache.coyote.http11.Http11BaseProtocol$Http11ConnectionHandler.processConnection(Http11BaseProtocol.java:665)
         at org.apache.tomcat.util.net.PoolTcpEndpoint.processSocket(PoolTcpEndpoint.java:528)
         at org.apache.tomcat.util.net.LeaderFollowerWorkerThread.runIt(LeaderFollowerWorkerThread.java:81)
         at org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadPool.java:689)
         at java.lang.Thread.run(Unknown Source)
    For Running JSP i am Using Eclipse 3.2.0 and apache-tomcat-5.5.25
    Please Provide me a Solution......
    Thanks in Advance.....
    Regards,
    Suresh K

    Have got the same problem. Scenario at my end is little different though.
    I am trying to invoke a BPEL process from an ESB Service.
    I am trying to look into it..
    However, would be grateful, if someone can give some insight into this since many are running into this issue without being able to fix.
    Ashish.

  • Jython script error..while invoking odi scenario

    while running the below jython script i am getting the following error..any idea how to resolve this..not able to find any solution in the net
    Jython Script
    ==========
    import os
    scen_name="DVM"
    scen_ver="001"
    odiscen="startcmd.bat OdiStartScen -SCEN_NAME="+scen_name+"-SCEN_VERSION="+scen_ver
    if os.system(odiscen) <> 0:
    raise odiscen
    Error:
    ====
    ODI-1217: Session GetFileNames (412355) fails with return code 7000.
    ODI-1226: Step GetFileNames fails after 1 attempt(s).
    ODI-1232: Procedure GetFileNames execution fails.
    Caused By: org.apache.bsf.BSFException: exception from Jython:
    Traceback (most recent call last):
    File "<string>", line 6, in <module>
    startcmd.bat OdiStartScen -SCEN_NAME=DVM-SCEN_VERSION=001

    i tried with spaces also..and also added context also in the script..but still getting the same error
    import os
    scen_name="DVM"
    scen_ver="001"
    cont="E1APS"
    odiscen="startcmd.bat OdiStartScen -SCEN_NAME="+scen_name+" -SCEN_VERSION="+scen_ver+" -CONTEXT="+cont
    if os.system(odiscen) <> 0:
    raise odiscen

  • Error Occured while Invoking FTP adapter

    Hi all, i am trying a simple FTP, a one way BPEL process and an invoke activity with FTP(partnerlink) put operation. I just assigned the inputelement to the opaque element of the partnerlink input variable.
    When i try to deploy the process i see the fallowing error in faults. The jndi is configured correctly and tested
    <bpelFault><faultType>0</faultType><remoteFault xmlns="http://schemas.oracle.com/bpel/extension"><part name="summary"><summary>Exception occured when binding was invoked. Exception occured during invocation of JCA binding: "JCA Binding execute of Reference operation 'Put' failed due to: Error in establishing connection to FTP Server. Error in establishing connection to FTP Server. Unable to establish connection to server. ". The invoked JCA adapter raised a resource exception. Please examine the above error message carefully to determine a resolution. </summary></part><part name="detail"><detail>Connection refused</detail></part><part name="code"><code>null</code></part></remoteFault></bpelFault>
    Please help me out guys..
    Thanks in advance

    I gave the right host name and password.
    and here is the error when i tried to see the flow of the Process
    Exception occured when binding was invoked.
    Exception occured during invocation of JCA binding: "JCA Binding execute of Reference operation 'Put' failed due to: Connection closed error.
    Connection closed error.
    Connection closed for Host: *******.**.****.com
    The invoked JCA adapter raised a resource exception.
    Please examine the above error message carefully to determine a resolution.
    </summary>
    </part>
    -<part name="detail">
    <detail>
    Connection closed error.
    Connection closed error.
    Connection closed for Host: *******.**.****.com
    Please make sure that the ftp server is up.
    and my ftp server is up too,
    Thanks ....

  • Java Importer - Error Occuring While invoking

    I have installed form6i along with the forms6i server in my machine.When I try to invoke the Java Importer I am getting an error message as
    "PDE-UJI1 Unable to create JVM".
    I have set the classpath for importer.jar and also installed jre1.3 in the machine
    and I set the path for this also but Still I am having the same problem.
    Could any one help in this context.
    Thanks
    Venkatesh Kumar P
    Chennai
    India.

    you need JDK 1.2.2 in the path not 1.3
    Check metalink for this message

  • HTTP Error 401 while invoking WSDL

    Hi Gurus,
    The scenario is, a WSDL URL location requires a System login to view it from IE.
    When I use the same WSDL location in my BPEL, I get an HTTP Error 401 (Unauthorized) as it requires the same Login Credentials that I used to view it in IE.
    Now, can any of you please tell me how to pass this Login credentials to access the WSDL file without getting HTTP 401 error.
    Please help. Thanks.
    Bala

    Muruga,
    Thanks for your reply.
    Let me explain little better...
    Actually, I have a WSDL URL, which requires a System login in order to access it. In otherwords, the WebService for that WSDL is running remotely and it requires a System Login. Now, I am using that WSDL in my BPEL to create a Partnerlink. When I run the BPEL process, I am getting HTTP 401 error as the Remote system where the WebService is running, needs a login. I know the userid/password for that system...but how do I provide it in the WSDL/BPEL.
    Hope the question is little clear now...
    Thanks
    Bala

  • Error occurred while importing photos via autoplay to windows, access denied??

    It has just stopped working about a month ago?? I have always been able to import all photo's and video's no problem, Now I have this error and access denied box

    The response posted by username BillKia on Feb 27, 2013 may help (note that I am not referring to the post marked as the "Answer" although that is a workaround): http://answers.microsoft.com/en-us/windowslive/forum/gallery-program/access-deni ed-when-importing-photos-to-windows/ce58ee23-ed87-435f-b572-474cead8f09a

  • Error while invoking Java Program in BPEL

    When I'm invoking a simple "Hello World" Java Program from BPEL it is working fine but while invoking a Java Program which is downloading some data from a website I'm getting the following error:
    Faulted while invoking operation "Helper" on provider "CMP_GBL_IN_URL_Download"
    <messages><input><Invoke_Helper_InputVariable><part xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" name="payload"><payload xmlns:ns1="http://www.arrow.com/CMP_GBL_IN_Exchange_Rate_Interface_Controller">
    <ns1:input/>
    </payload>
    </part></Invoke_Helper_InputVariable></input><fault><bindingFault xmlns="http://schemas.oracle.com/bpel/extension"><part name="summary"><summary>[email protected]0 : Could not invoke 'Helper'; nested exception is:
         org.collaxa.thirdparty.apache.wsif.WSIFException: No method named 'Helper' found that match the parts specified</summary>
    </part><part name="detail"><detail>org.collaxa.thirdparty.apache.wsif.WSIFException: No method named 'Helper' found that match the parts specified</detail>
    </part></bindingFault></fault></messages>
    Can anybuddy please help me on this.

    In what way do you invoke the Java program?
    Riko

  • Crash occurred while invoking brightness

    Hi,
    I've been trying to open a project in Ae and once is open it crashes stating: "Error occurred while invoking the Brightness & Contrast plug-in"
    I have updated all my softwares and plugins and I still get this message. How do I fix this?
    Thanks,
    Sheyla

    Glad you've updated your software, but there's still a ton of information missing to make an accurate diagnosis.  For example, we know nothing about your hardware.  And over the course of time, AE has gotten increasingly finicky -- nay, downright uncooperative --  with certain hardware/OS combinations.
    This link contains a barrage of questions, the answers to which will really help us help you:
    FAQ: What information should I provide when asking a question on this forum?

  • Error while trying to publish 2013 workflow via designer. Probably a workflow manager backend user account issue?

    Hello, I am getting error while publishing the 2013 workflow via designer. Also, under sharepoint designer if I try to delete any workflow then the page just refreshes and the workflow does not get deleted.
    I checked the services.msc and found that the workflow backend service was stopped. (this happened as the password of the user under which this serivce was running had changed).
    So, the network admin changed the service user to LOCAL SYSTEM and started the service.
    Now, the workflow backend service is started. We have run the iisreset also.
    However, I am still getting the same error:-
    System.IO.InvalidDataException: A response was returned that did not come from the Workflow Manager. Status code = 503:
    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN""http://www.w3.org/TR/html4/strict.dtd">
    <HTML><HEAD><TITLE>Service Unavailable</TITLE>
    <META HTTP-EQUIV="Content-Type" Content="text/html; charset=us-ascii"></HEAD>
    <BODY><h2>Service Unavailable</h2>
    <hr><p>HTTP Error 503. The service is unavailable.</p>
    </BODY></HTML>
    Client ActivityId : ee94689c-4e08-b055-fe9c-268d7a94
    Please find attached snapshot.
    Is the error as a result of the change in service user? Can you tell me what priviledges should the account running the workflow backend service must have?
    UPDATE 1:-
    We have set the workflow service backend account user as farm admin and also tried to set it to site admin. The service is re-started. Now, for a new web application,
    I can delete workflows. However, for existing site, I am not able to delete the existing workflows.. Also, I am not able to publish workflows (present under new and previous sites) and the error is same as described earlier.

    Hi Nachiket,
    According to your description, my understanding is that you got an error while publishing the 2013 workflow via SharePoint 2013 Designer.
    As you have changed the password of this service. Please open IIS and make sure identify of the WorkflowMgmtPool is correct, you can re-type the identify. Then  make this pool is started.
    Open Services, find Service Bus Message Broker service and Windows Fabric Host Service. Make sure they are running. If not, firstly, start Windows Fabric Host Service, then start Service Bus Message Broker service. If Service Bus Message Broker service is
    started, stop and re-start it.
    Here are some similar posts for you to take a look at:
    http://developers.de/blogs/damir_dobric/archive/2012/10/23/deploying-sharepoint-workflows.aspx
    http://developers.de/blogs/damir_dobric/archive/2012/09/18/servicebus-message-broker-service-is-starting-and-starting.aspx
    I hope this helps.
    Thanks,
    Wendy
    Wendy Li
    TechNet Community Support

  • Error while invoking a public PL/SQL API in EBIZ from Sync BPEL process

    Hi,
    SOA Suite: 11.1.1.3
    I am getting the following error when I am invoking a public API in EBIZ from Oracle via a BPEL process. I am supplying the username/password via binding properties (as mentioned in other posts). Can someone point out that is the exact cause for this error please?
    SEVERE: AbstractWebServiceBindingComponent.dispatchRequest Unable to dispatch request to http://<myserver>:8006/webservices/SOAProvider/plsql/hz_party_v2pub/ due to exceptionjavax.xml.ws.soap.SOAPF
    aultException: Error occured while service was processing.
    at oracle.j2ee.ws.client.jaxws.DispatchImpl.throwJAXWSSoapFaultException(DispatchImpl.java:874)
    at oracle.j2ee.ws.client.jaxws.DispatchImpl.invoke(DispatchImpl.java:707)
    at oracle.j2ee.ws.client.jaxws.OracleDispatchImpl.synchronousInvocationWithRetry(OracleDispatchImpl.java:226)
    at oracle.j2ee.ws.client.jaxws.OracleDispatchImpl.invoke(OracleDispatchImpl.java:97)
    at oracle.integration.platform.blocks.soap.AbstractWebServiceBindingComponent.dispatchRequest(AbstractWebServiceBindingComponent.java:449)
    at oracle.integration.platform.blocks.soap.WebServiceExternalBindingComponent.processOutboundMessage(WebServiceExternalBindingComponent.java:184)
    at oracle.integration.platform.blocks.soap.WebServiceExternalBindingComponent.sendSOAPMessage(WebServiceExternalBindingComponent.java:634)
    at oracle.integration.platform.blocks.soap.WebServiceExternalBindingComponent.request(WebServiceExternalBindingComponent.java:520)
    at oracle.integration.platform.blocks.mesh.SynchronousMessageHandler.doRequest(SynchronousMessageHandler.java:139)
    at oracle.integration.platform.blocks.mesh.MessageRouter.request(MessageRouter.java:179)
    at oracle.integration.platform.blocks.mesh.MeshImpl.request(MeshImpl.java:144)
    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 org.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:296)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:177)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:144)
    at oracle.integration.platform.metrics.PhaseEventAspect.invoke(PhaseEventAspect.java:71)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:166)
    at org.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
    at $Proxy204.request(Unknown Source)
    at oracle.fabric.CubeServiceEngine.requestToMesh(CubeServiceEngine.java:704)
    at com.collaxa.cube.ws.WSInvocationManager.invoke(WSInvocationManager.java:246)
    at com.collaxa.cube.engine.ext.bpel.common.wmp.BPELInvokeWMP.__invoke(BPELInvokeWMP.java:935)
    at com.collaxa.cube.engine.ext.bpel.common.wmp.BPELInvokeWMP.handleNormalInvoke(BPELInvokeWMP.java:440)
    at com.collaxa.cube.engine.ext.bpel.common.wmp.BPELInvokeWMP.__executeStatements(BPELInvokeWMP.java:182)
    at com.collaxa.cube.engine.ext.bpel.common.wmp.BaseBPELActivityWMP.perform(BaseBPELActivityWMP.java:140)
    at com.collaxa.cube.engine.CubeEngine._performActivity(CubeEngine.java:2675)
    at com.collaxa.cube.engine.CubeEngine.performActivity(CubeEngine.java:2558)
    at com.collaxa.cube.engine.CubeEngine.handleWorkItem(CubeEngine.java:1256)
    at com.collaxa.cube.engine.dispatch.message.instance.PerformMessageHandler.handleLocal(PerformMessageHandler.java:73)
    at com.collaxa.cube.engine.dispatch.DispatchHelper.handleLocalMessage(DispatchHelper.java:188)
    at com.collaxa.cube.engine.dispatch.DispatchHelper.sendMemory(DispatchHelper.java:285)
    at com.collaxa.cube.engine.CubeEngine.endRequest(CubeEngine.java:4607)
    at com.collaxa.cube.engine.CubeEngine.createAndInvoke(CubeEngine.java:828)
    at com.collaxa.cube.engine.ejb.impl.CubeEngineBean.createAndInvoke(CubeEngineBean.java:111)
    at com.collaxa.cube.engine.ejb.impl.CubeEngineBean.syncCreateAndInvoke(CubeEngineBean.java:147)
    at com.collaxa.cube.engine.ejb.impl.bpel.BPELEngineBean.syncCreateAndInvoke(BPELEngineBean.java:103)
    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.bea.core.repackaged.springframework.jee.spi.MethodInvocationVisitorImpl.visit(MethodInvocationVisitorImpl.java:37)
    at weblogic.ejb.container.injection.EnvironmentInterceptorCallbackImpl.callback(EnvironmentInterceptorCallbackImpl.java:54)
    at com.bea.core.repackaged.springframework.jee.spi.EnvironmentInterceptor.invoke(EnvironmentInterceptor.java:50)
    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 $Proxy193.syncCreateAndInvoke(Unknown Source)
    at com.collaxa.cube.engine.ejb.impl.bpel.BPELEngineBean_51369e_ICubeEngineLocalBeanImpl.syncCreateAndInvoke(BPELEngineBean_51369e_ICubeEngineLocalBeanImpl.java:575)
    at com.collaxa.cube.engine.delivery.DeliveryHandler.initialRequestAnyType(DeliveryHandler.java:528)
    at com.collaxa.cube.engine.delivery.DeliveryHandler.initialRequest(DeliveryHandler.java:482)
    at com.collaxa.cube.engine.delivery.DeliveryHandler.request(DeliveryHandler.java:156)
    at com.collaxa.cube.engine.ejb.impl.CubeDeliveryBean.request(CubeDeliveryBean.java:600)
    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.bea.core.repackaged.springframework.jee.spi.MethodInvocationVisitorImpl.visit(MethodInvocationVisitorImpl.java:37)
    at weblogic.ejb.container.injection.EnvironmentInterceptorCallbackImpl.callback(EnvironmentInterceptorCallbackImpl.java:54)
    at com.bea.core.repackaged.springframework.jee.spi.EnvironmentInterceptor.invoke(EnvironmentInterceptor.java:50)
    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 $Proxy190.request(Unknown Source)
    at com.collaxa.cube.engine.ejb.impl.bpel.BPELDeliveryBean_5k948i_ICubeDeliveryLocalBeanImpl.request(BPELDeliveryBean_5k948i_ICubeDeliveryLocalBeanImpl.java:325)
    at oracle.fabric.CubeServiceEngine.request(CubeServiceEngine.java:290)
    at oracle.integration.platform.blocks.mesh.SynchronousMessageHandler.doRequest(SynchronousMessageHandler.java:139)
    at oracle.integration.platform.blocks.mesh.MessageRouter.request(MessageRouter.java:179)
    at oracle.integration.platform.blocks.mesh.MeshImpl.request(MeshImpl.java:144)
    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 org.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:296)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:177)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:144)
    at oracle.integration.platform.metrics.PhaseEventAspect.invoke(PhaseEventAspect.java:59)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:166)
    at org.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
    at $Proxy204.request(Unknown Source)
    at oracle.integration.platform.blocks.soap.WebServiceEntryBindingComponent.doMessageProcessing(WebServiceEntryBindingComponent.java:1155)
    at oracle.integration.platform.blocks.soap.WebServiceEntryBindingComponent.processIncomingMessage(WebServiceEntryBindingComponent.java:767)
    at oracle.integration.platform.blocks.soap.FabricProvider.processMessage(FabricProvider.java:113)
    at oracle.j2ee.ws.server.provider.ProviderProcessor.doEndpointProcessing(ProviderProcessor.java:1119)
    at oracle.j2ee.ws.server.WebServiceProcessor.invokeEndpointImplementation(WebServiceProcessor.java:873)
    at oracle.j2ee.ws.server.provider.ProviderProcessor.doRequestProcessing(ProviderProcessor.java:553)
    at oracle.j2ee.ws.server.WebServiceProcessor.processRequest(WebServiceProcessor.java:202)
    at oracle.j2ee.ws.server.WebServiceProcessor.doService(WebServiceProcessor.java:166)
    at oracle.j2ee.ws.server.WebServiceServlet.doPost(WebServiceServlet.java:384)
    at oracle.integration.platform.blocks.soap.FabricProviderServlet.doPost(FabricProviderServlet.java:444)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:727)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
    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:292)
    at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.dms.wls.DMSServletFilter.doFilter(DMSServletFilter.java:202)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3588)
    at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
    at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:121)
    at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2200)
    at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2106)
    at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1428)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Nov 3, 2010 2:32:08 PM com.collaxa.cube.CubeLogger error
    SEVERE: <WSInvocationManager::invoke> got FabricInvocationException
    oracle.fabric.common.FabricInvocationException: javax.xml.ws.soap.SOAPFaultException: Error occured while service was processing.
    Thanks,
    Dinesh

    Hi James,
    Thanks for the quick reply.
    We've tried to call that web service from an HTML designed in Visual Studios with the same username and password and its working fine.
    But on the BPEL console, we are getting the error as mentioned.
    Also if you can tell me how to set the user name and password in the header of the parter link.I could not find how to do it.
    Thanks,
    Saurabh

  • ORABPEL-9708 Error while querying workflow task WFTask. Caused by:ORA-00936

    Hi,
    I am trying to integrate my Primavera p6 web version8.0 with the BPM setup 11.1.1.3 . The BPM is setup fine.
    But when I integrated with primavera p6 and on load of workflows portlet of p6 web where the BPM tasks are listed, I am getting following exception in BPM console:
    Error while querying workflow task WFTask.
    Check the underlying exception and the database connection information. If the error persists, contact Oracle Support Services. .
    ORABPEL-9708
    Error while querying workflow task WFTask .
    Error while querying workflow task WFTask.
    Check the underlying exception and the database connection information. If the error persists, contact Oracle Support Services. .
    at oracle.bpel.services.workflow.repos.driver.WFTask.getWFTask(WFTask.java:2181)
    at oracle.bpel.services.workflow.repos.driver.PersistencyService.getWFTask(PersistencyService.java:907)
    at oracle.bpel.services.workflow.query.impl.TaskQueryService.queryTasks(TaskQueryService.java:751)
    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 org.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:307)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:182)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:149)
    at oracle.bpel.services.workflow.common.WorkflowServiceCacheEventAdvice.invoke(WorkflowServiceCacheEventAdvice.java:89)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.workflow.test.workflow.ExceptionTestCaseBuilder.invoke(ExceptionTestCaseBuilder.java:155)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.common.dms.MethodEventAspect.invoke(MethodEventAspect.java:70)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.common.dms.MethodPhaseEventAspect.invoke(MethodPhaseEventAspect.java:82)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at org.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
    at $Proxy220.queryTasks(Unknown Source)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryServiceBean.queryTasks(TaskQueryServiceBean.java:120)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryService_oz1ipg_EOImpl.queryTasks(TaskQueryService_oz1ipg_EOImpl.java:1019)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryService_oz1ipg_EOImpl_WLSkel.invoke(Unknown Source)
    at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:589)
    at weblogic.rmi.cluster.ClusterableServerRef.invoke(ClusterableServerRef.java:230)
    at weblogic.rmi.internal.BasicServerRef$1.run(BasicServerRef.java:477)
    at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:363)
    at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:147)
    at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:473)
    at weblogic.rmi.internal.wls.WLSExecuteRequest.run(WLSExecuteRequest.java:118)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Caused By: java.sql.SQLSyntaxErrorException: ORA-00936: missing expression
    at oracle.jdbc.driver.SQLStateMapping.newSQLException(SQLStateMapping.java:95)
    at oracle.jdbc.driver.DatabaseError.newSQLException(DatabaseError.java:135)
    at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:210)
    at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:473)
    at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:423)
    at oracle.jdbc.driver.T4C8Oall.receive(T4C8Oall.java:1095)
    at oracle.jdbc.driver.T4CCallableStatement.doOall8(T4CCallableStatement.java:201)
    at oracle.jdbc.driver.T4CCallableStatement.executeForDescribe(T4CCallableStatement.java:864)
    at oracle.jdbc.driver.T4CCallableStatement.executeMaybeDescribe(T4CCallableStatement.java:948)
    at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:1335)
    at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:3568)
    at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:3620)
    at oracle.jdbc.driver.OraclePreparedStatementWrapper.executeQuery(OraclePreparedStatementWrapper.java:1667)
    at weblogic.jdbc.wrapper.PreparedStatement.executeQuery(PreparedStatement.java:135)
    at oracle.bpel.services.workflow.repos.driver.WFTask.getWFTask(WFTask.java:2153)
    at oracle.bpel.services.workflow.repos.driver.PersistencyService.getWFTask(PersistencyService.java:907)
    at oracle.bpel.services.workflow.query.impl.TaskQueryService.queryTasks(TaskQueryService.java:751)
    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 org.springframework.aop.support.AopUtils.invokeJoinpointUsingReflection(AopUtils.java:307)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.invokeJoinpoint(ReflectiveMethodInvocation.java:182)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:149)
    at oracle.bpel.services.workflow.common.WorkflowServiceCacheEventAdvice.invoke(WorkflowServiceCacheEventAdvice.java:89)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.workflow.test.workflow.ExceptionTestCaseBuilder.invoke(ExceptionTestCaseBuilder.java:155)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.common.dms.MethodEventAspect.invoke(MethodEventAspect.java:70)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at oracle.bpel.services.common.dms.MethodPhaseEventAspect.invoke(MethodPhaseEventAspect.java:82)
    at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:171)
    at org.springframework.aop.framework.JdkDynamicAopProxy.invoke(JdkDynamicAopProxy.java:204)
    at $Proxy220.queryTasks(Unknown Source)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryServiceBean.queryTasks(TaskQueryServiceBean.java:120)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryService_oz1ipg_EOImpl.queryTasks(TaskQueryService_oz1ipg_EOImpl.java:1019)
    at oracle.bpel.services.workflow.query.ejb.TaskQueryService_oz1ipg_EOImpl_WLSkel.invoke(Unknown Source)
    at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:589)
    at weblogic.rmi.cluster.ClusterableServerRef.invoke(ClusterableServerRef.java:230)
    at weblogic.rmi.internal.BasicServerRef$1.run(BasicServerRef.java:477)
    at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:363)
    at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:147)
    at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:473)
    at weblogic.rmi.internal.wls.WLSExecuteRequest.run(WLSExecuteRequest.java:118)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Could anybody please help me out in resolving the issue?
    Thanks and Regards,
    Krish

    I have the same problem with P6 R8 integration with BPM 11g (running on WL 10.3.5.0). Any sugestions how to solve this?

  • Invalid connection cache name error while invoking a bpel process

    while invoking a service via DB adapter ,it gives invalid connection cache name orabpel 00000 error. the JCA connection is set properly and its reffered via jndi name in code. i tested the connection in EM and its working fine.
    Few transactions have passed and thereafter i'm getting this error.
    is there any parameter that needs to be set. Someone can help here!!

    Have got the same problem. Scenario at my end is little different though.
    I am trying to invoke a BPEL process from an ESB Service.
    I am trying to look into it..
    However, would be grateful, if someone can give some insight into this since many are running into this issue without being able to fix.
    Ashish.

Maybe you are looking for

  • Helpful hints for new Creative Zen MP3 2/4/8/16/32 GB (flash) Users On

    Summary of helpful hints (from this forum and me) for new Creative Zen MP3 2/4/8/6/32 GB (flash) Users Only! Rev.. Date: 4/28/2008 Author: ZenAndy Creative terminology: MP3 Player Recovery Tool - A program that resolves the majority of player problem

  • Error while creating sales order with network/project

    Dear All, we are getting the following message while creating a sales order with assembly processing with network/project system . The standard Network used as a reference contains assignments to a standard WBS. However you have maintained WBS assign

  • IMessage is blocking texts from other iphone users

    I am not able to send or receive texts from other iphone users because of imessage.  I am ready to quit Apple and ATT because of it.  Both my wife and the manager of my business can no longer contact me because of the bugs in iMessage.  I don't care

  • Opening document in pages on ipad with icloud

    I get message saying "Open Document This document may look different on your iOS device than on your Mac.  Use Open Copy if you want to preserve the original."  Then has two options:  Open Copy or Open.  How should I proceed.  I thought I could just

  • Smart View Question: Data cell have modified.

    Hi all, I've a question on an Hyperion Smar View Alert. I've created a report in excel by using some VBA Macro to create a data to submit. The situation is tha in some cells of the report There is a formula linked to another sheet. All macros work fi