idx
int64
0
165k
question
stringlengths
73
5.81k
target
stringlengths
5
918
13,800
public List < TaskAction > filterStandardActions ( List < TaskAction > standardTaskActions ) throws ServiceException , DataAccessException { CodeTimer timer = new CodeTimer ( "TaskManager.filterStandardTaskActions()" , true ) ; List < TaskAction > filteredTaskActions = standardTaskActions ; try { ActivityInstance activityInstance = getActivityInstance ( true ) ; if ( activityInstance != null ) { Long processInstanceId = activityInstance . getProcessInstanceId ( ) ; ProcessInstance processInstance = ServiceLocator . getWorkflowServices ( ) . getProcess ( processInstanceId ) ; if ( processInstance . isEmbedded ( ) ) { TaskAction retryAction = null ; for ( TaskAction taskAction : standardTaskActions ) { if ( taskAction . getTaskActionName ( ) . equalsIgnoreCase ( "Retry" ) ) retryAction = taskAction ; } if ( retryAction != null ) standardTaskActions . remove ( retryAction ) ; } Process processVO = null ; if ( processInstance . getProcessInstDefId ( ) > 0L ) processVO = ProcessCache . getProcessInstanceDefiniton ( processInstance . getProcessId ( ) , processInstance . getProcessInstDefId ( ) ) ; if ( processVO == null ) processVO = ProcessCache . getProcess ( processInstance . getProcessId ( ) ) ; if ( processInstance . isEmbedded ( ) ) processVO = processVO . getSubProcessVO ( new Long ( processInstance . getComment ( ) ) ) ; List < Transition > outgoingWorkTransVOs = processVO . getAllTransitions ( activityInstance . getActivityId ( ) ) ; boolean foundNullResultCode = false ; for ( Transition workTransVO : outgoingWorkTransVOs ) { Integer eventType = workTransVO . getEventType ( ) ; if ( ( eventType . equals ( EventType . FINISH ) || eventType . equals ( EventType . RESUME ) ) && workTransVO . getCompletionCode ( ) == null ) { foundNullResultCode = true ; break ; } } if ( ! foundNullResultCode ) { TaskAction cancelAction = null ; TaskAction completeAction = null ; for ( TaskAction taskAction : standardTaskActions ) { if ( taskAction . getTaskActionName ( ) . equalsIgnoreCase ( "Cancel" ) ) cancelAction = taskAction ; if ( taskAction . getTaskActionName ( ) . equalsIgnoreCase ( "Complete" ) ) completeAction = taskAction ; } if ( cancelAction != null ) standardTaskActions . remove ( cancelAction ) ; if ( completeAction != null ) standardTaskActions . remove ( completeAction ) ; } } } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } timer . stopAndLogTiming ( "" ) ; return filteredTaskActions ; }
Filters according to what s applicable depending on the context of the task activity instance .
13,801
public List < TaskAction > getCustomActions ( ) throws ServiceException , DataAccessException { CodeTimer timer = new CodeTimer ( "getCustomActions()" , true ) ; List < TaskAction > dynamicTaskActions = new ArrayList < TaskAction > ( ) ; try { ActivityInstance activityInstance = getActivityInstance ( true ) ; if ( activityInstance != null ) { Long processInstanceId = activityInstance . getProcessInstanceId ( ) ; ProcessInstance processInstance = ServiceLocator . getWorkflowServices ( ) . getProcess ( processInstanceId ) ; Process processVO = null ; if ( processInstance . getProcessInstDefId ( ) > 0L ) processVO = ProcessCache . getProcessInstanceDefiniton ( processInstance . getProcessId ( ) , processInstance . getProcessInstDefId ( ) ) ; if ( processVO == null ) processVO = ProcessCache . getProcess ( processInstance . getProcessId ( ) ) ; if ( processInstance . isEmbedded ( ) ) processVO = processVO . getSubProcessVO ( new Long ( processInstance . getComment ( ) ) ) ; List < Transition > outgoingWorkTransVOs = processVO . getAllTransitions ( activityInstance . getActivityId ( ) ) ; for ( Transition workTransVO : outgoingWorkTransVOs ) { String resultCode = workTransVO . getCompletionCode ( ) ; if ( resultCode != null ) { Integer eventType = workTransVO . getEventType ( ) ; if ( eventType . equals ( EventType . FINISH ) || eventType . equals ( EventType . RESUME ) || TaskAction . FORWARD . equals ( resultCode ) ) { TaskAction taskAction = new TaskAction ( ) ; taskAction . setTaskActionName ( resultCode ) ; taskAction . setCustom ( true ) ; dynamicTaskActions . add ( taskAction ) ; } } } } } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } timer . stopAndLogTiming ( "" ) ; return dynamicTaskActions ; }
Gets the custom task actions associated with a task instance as determined by the result codes for the possible outgoing work transitions from the associated activity .
13,802
protected URL getRoutingStrategyDestination ( Object request , Map < String , String > headers ) { for ( RequestRoutingStrategy routingStrategy : MdwServiceRegistry . getInstance ( ) . getRequestRoutingStrategies ( ) ) { URL destination = routingStrategy . getDestination ( request , headers ) ; if ( destination != null ) { URL origRequestUrl = null ; try { origRequestUrl = new URL ( headers . get ( Listener . METAINFO_REQUEST_URL ) ) ; } catch ( MalformedURLException e ) { logger . severeException ( "Malformed original RequestURL" , e ) ; } String origHost = origRequestUrl . getHost ( ) . indexOf ( "." ) > 0 ? origRequestUrl . getHost ( ) . substring ( 0 , origRequestUrl . getHost ( ) . indexOf ( "." ) ) : origRequestUrl . getHost ( ) ; int origPort = origRequestUrl . getPort ( ) == 80 || origRequestUrl . getPort ( ) == 443 ? - 1 : origRequestUrl . getPort ( ) ; String origQuery = headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) == null ? "" : headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) ; String newHost = destination . getHost ( ) . indexOf ( "." ) > 0 ? destination . getHost ( ) . substring ( 0 , destination . getHost ( ) . indexOf ( "." ) ) : destination . getHost ( ) ; int newPort = destination . getPort ( ) == 80 || destination . getPort ( ) == 443 ? - 1 : destination . getPort ( ) ; String newQuery = destination . getQuery ( ) == null ? "" : destination . getQuery ( ) ; if ( ! newHost . equalsIgnoreCase ( origHost ) || ! ( newPort == origPort ) || ! newQuery . equalsIgnoreCase ( origQuery ) || ! origRequestUrl . getPath ( ) . equals ( destination . getPath ( ) ) ) return destination ; } } return null ; }
Returns an instance of the first applicable routing strategy found based on priority of each strategy or null if none return a URL .
13,803
public User getUser ( String cuid ) { User user = UserGroupCache . getUser ( cuid ) ; if ( user == null ) return null ; if ( user . getAttributes ( ) == null ) user . setAttributes ( new HashMap < String , String > ( ) ) ; for ( String name : UserGroupCache . getUserAttributeNames ( ) ) { if ( ! user . getAttributes ( ) . containsKey ( name ) ) user . setAttribute ( name , null ) ; if ( user . getAttributes ( ) . containsKey ( User . OLD_EMAIL ) ) { String oldEmail = user . getAttributes ( ) . remove ( User . OLD_EMAIL ) ; if ( user . getAttribute ( User . EMAIL ) == null ) user . setAttribute ( User . EMAIL , oldEmail ) ; } if ( user . getAttributes ( ) . containsKey ( User . OLD_PHONE ) ) { String oldPhone = user . getAttributes ( ) . remove ( User . OLD_PHONE ) ; if ( user . getAttribute ( User . PHONE ) == null ) user . setAttribute ( User . PHONE , oldPhone ) ; } } return user ; }
Does not include non - public attributes . Includes empty values for all public attributes .
13,804
public boolean validate ( ) { _validationError = null ; List < XmlError > errors = new ArrayList < XmlError > ( ) ; boolean valid = _xmlBean . validate ( new XmlOptions ( ) . setErrorListener ( errors ) ) ; if ( ! valid ) { _validationError = "" ; for ( int i = 0 ; i < errors . size ( ) ; i ++ ) { _validationError += errors . get ( i ) . toString ( ) ; if ( i < errors . size ( ) - 1 ) _validationError += '\n' ; } } return valid ; }
Performs validation on the XmlBean populating the error message if failed .
13,805
static ProgressMonitor getMonitor ( ) { return new ProgressMonitor ( ) { public void message ( String msg ) { System . out . println ( msg + "..." ) ; } public void progress ( int prog ) { if ( "\\" . equals ( System . getProperty ( "file.separator" ) ) ) { System . out . print ( "\b\b\b\b\b\b\b\b\b" ) ; } else { System . out . print ( "\r \r" ) ; } if ( prog >= 100 ) System . out . println ( " ) ; else if ( prog <= 0 ) System . out . print ( " ... " ) ; else System . out . printf ( " , prog ) ; } } ; }
Every call with > = 100% progress will print a new line .
13,806
public List < String > getExcludedTables ( ) { List < String > dbTables = project . readDataList ( "data.excluded.tables" ) ; if ( dbTables == null ) dbTables = DEFAULT_EXCLUDED_TABLES ; return dbTables ; }
Tables excluded from export which need to be purged on import .
13,807
@ Path ( "/{roleName}" ) @ ApiOperation ( value = "Retrieve a role or all roles" , notes = "If roleName is not present, returns all roles." , response = Role . class , responseContainer = "List" ) public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { UserServices userServices = ServiceLocator . getUserServices ( ) ; Map < String , String > parameters = getParameters ( headers ) ; try { String roleName = parameters . get ( "name" ) ; if ( roleName == null ) roleName = getSegment ( path , 1 ) ; if ( roleName != null ) { Role role = userServices . getRole ( roleName ) ; if ( role == null ) throw new ServiceException ( HTTP_404_NOT_FOUND , "Role not found: " + roleName ) ; return role . getJson ( ) ; } else { return userServices . getRoles ( ) . getJson ( ) ; } } catch ( DataAccessException ex ) { throw new ServiceException ( ex . getMessage ( ) , ex ) ; } }
Retrieve a user role or the list of all roles .
13,808
public static Package getProcessPackage ( Long processId ) { try { if ( processId != null ) { for ( Package pkg : getPackageList ( ) ) { if ( pkg . containsProcess ( processId ) ) return pkg ; } } return Package . getDefaultPackage ( ) ; } catch ( CachingException ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; return null ; } }
Returns the design - time package for a specified process ID . Returns the first match so does not support the same process in multiple packages . Also assumes the processId is not for an embedded subprocess .
13,809
public static Package getTaskTemplatePackage ( Long taskId ) { try { for ( Package pkg : getPackageList ( ) ) { if ( pkg . containsTaskTemplate ( taskId ) ) return pkg ; } return Package . getDefaultPackage ( ) ; } catch ( CachingException ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; return null ; } }
Returns the design - time package for a specified task ID . Returns the first match so does not support the same template in multiple packages .
13,810
public String getPath ( ) { Matcher matcher = pathPattern . matcher ( name ) ; if ( matcher . find ( ) ) { String match = matcher . group ( 1 ) ; int lastDot = match . lastIndexOf ( '.' ) ; if ( lastDot == - 1 ) throw new IllegalStateException ( "Bad asset path: " + match ) ; return match . substring ( 0 , lastDot ) . replace ( '.' , '/' ) + match . substring ( lastDot ) ; } else { return null ; } }
File path corresponding to name .
13,811
public Object onRequest ( Object request , Map < String , String > headers ) { if ( headers . containsKey ( Listener . METAINFO_HTTP_METHOD ) ) { Tracing tracing = TraceHelper . getTracing ( "mdw-service" ) ; HttpTracing httpTracing = HttpTracing . create ( tracing ) ; handler = HttpServerHandler . create ( httpTracing , new ServerAdapter ( ) ) ; extractor = httpTracing . tracing ( ) . propagation ( ) . extractor ( ServerAdapter . ServerRequest :: getHeader ) ; span = handler . handleReceive ( extractor , new ServerAdapter . ServerRequest ( headers ) ) ; scope = httpTracing . tracing ( ) . tracer ( ) . withSpanInScope ( span ) ; } return null ; }
Only for HTTP services .
13,812
public static List < Process > getProcessesSmart ( AssetVersionSpec spec ) throws DataAccessException { if ( spec . getPackageName ( ) == null ) throw new DataAccessException ( "Spec must be package-qualified: " + spec ) ; List < Process > matches = new ArrayList < > ( ) ; for ( Process process : getAllProcesses ( ) ) { if ( spec . getQualifiedName ( ) . equals ( process . getQualifiedName ( ) ) ) { if ( process . meetsVersionSpec ( spec . getVersion ( ) ) ) matches . add ( process ) ; } } return matches ; }
Find all definitions matching the specified version spec . Returns shallow processes .
13,813
protected ConnectionFactory retrieveConnectionFactory ( String name ) throws JMSException { if ( name == null && defaultConnectionFactory != null ) { return defaultConnectionFactory ; } else { try { return ( ConnectionFactory ) SpringAppContext . getInstance ( ) . getBean ( name ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; throw new JMSException ( "JMS ConnectionFactory not found: " + name ) ; } } }
Pooling and remote queues are configured via Spring in broker config XML .
13,814
private Process getPackageHandler ( ProcessInstance masterInstance , Integer eventType ) { Process process = getProcessDefinition ( masterInstance ) ; Process handler = getPackageHandler ( process . getPackageName ( ) , eventType ) ; if ( handler != null && handler . getName ( ) . equals ( process . getName ( ) ) ) { logger . warn ( "Package handler recursion is not allowed. " + "Define an embedded handler in package handler: " + handler . getLabel ( ) ) ; } return handler ; }
Finds the relevant package handler for a master process instance .
13,815
public String invokeService ( Long processId , String ownerType , Long ownerId , String masterRequestId , String masterRequest , Map < String , String > parameters , String responseVarName , Map < String , String > headers ) throws Exception { return invokeService ( processId , ownerType , ownerId , masterRequestId , masterRequest , parameters , responseVarName , 0 , null , null , headers ) ; }
Invoke a real - time service process .
13,816
public Map < String , String > invokeServiceAsSubprocess ( Long processId , Long parentProcInstId , String masterRequestId , Map < String , String > parameters , int performance_level ) throws Exception { long startMilli = System . currentTimeMillis ( ) ; if ( performance_level <= 0 ) performance_level = getProcessDefinition ( processId ) . getPerformanceLevel ( ) ; if ( performance_level <= 0 ) performance_level = default_performance_level_service ; EngineDataAccess edao = EngineDataAccessCache . getInstance ( true , performance_level ) ; InternalMessenger msgBroker = MessengerFactory . newInternalMessenger ( ) ; msgBroker . setCacheOption ( InternalMessenger . CACHE_ONLY ) ; ProcessExecutor engine = new ProcessExecutor ( edao , msgBroker , true ) ; ProcessInstance mainProcessInst = executeServiceProcess ( engine , processId , OwnerType . PROCESS_INSTANCE , parentProcInstId , masterRequestId , parameters , null , null , null ) ; boolean completed = mainProcessInst . getStatusCode ( ) . equals ( WorkStatus . STATUS_COMPLETED ) ; Map < String , String > resp = completed ? engine . getOutPutParameters ( mainProcessInst . getId ( ) , processId ) : null ; long stopMilli = System . currentTimeMillis ( ) ; logger . info ( "Synchronous process executed in " + ( ( stopMilli - startMilli ) / 1000.0 ) + " seconds at performance level " + performance_level ) ; if ( completed ) return resp ; if ( lastException == null ) throw new Exception ( "Process instance not completed" ) ; throw lastException ; }
Called internally by invoke subprocess activities to call service processes as subprocesses of regular processes .
13,817
private ProcessInstance executeServiceProcess ( ProcessExecutor engine , Long processId , String ownerType , Long ownerId , String masterRequestId , Map < String , String > parameters , String secondaryOwnerType , Long secondaryOwnerId , Map < String , String > headers ) throws Exception { Process procdef = getProcessDefinition ( processId ) ; Long startActivityId = procdef . getStartActivity ( ) . getId ( ) ; if ( masterRequestId == null ) masterRequestId = genMasterRequestId ( ) ; ProcessInstance mainProcessInst = engine . createProcessInstance ( processId , ownerType , ownerId , secondaryOwnerType , secondaryOwnerId , masterRequestId , parameters ) ; mainProcessInstanceId = mainProcessInst . getId ( ) ; engine . updateProcessInstanceStatus ( mainProcessInst . getId ( ) , WorkStatus . STATUS_PENDING_PROCESS ) ; if ( OwnerType . DOCUMENT . equals ( ownerType ) && ownerId != 0L ) { setOwnerDocumentProcessInstanceId ( engine , ownerId , mainProcessInst . getId ( ) , masterRequestId ) ; bindRequestVariable ( procdef , ownerId , engine , mainProcessInst ) ; } if ( headers != null ) { bindRequestHeadersVariable ( procdef , headers , engine , mainProcessInst ) ; } logger . info ( logtag ( processId , mainProcessInst . getId ( ) , masterRequestId ) , WorkStatus . LOGMSG_PROC_START + " - " + procdef . getQualifiedName ( ) + "/" + procdef . getVersionString ( ) ) ; engine . notifyMonitors ( mainProcessInst , WorkStatus . LOGMSG_PROC_START ) ; InternalEvent event = InternalEvent . createActivityStartMessage ( startActivityId , mainProcessInst . getId ( ) , 0L , masterRequestId , EventType . EVENTNAME_START ) ; InternalMessenger msgBroker = engine . getInternalMessenger ( ) ; lastException = null ; processEvent ( engine , event , mainProcessInst ) ; while ( ( event = msgBroker . getNextMessageFromQueue ( engine ) ) != null ) { ProcessInstance procInst = this . findProcessInstance ( engine , event ) ; processEvent ( engine , event , procInst ) ; } mainProcessInst = engine . getProcessInstance ( mainProcessInst . getId ( ) ) ; return mainProcessInst ; }
execute service process using asynch engine
13,818
public Long startProcess ( Long processId , String masterRequestId , String ownerType , Long ownerId , Map < String , String > vars , Map < String , String > headers ) throws Exception { return startProcess ( processId , masterRequestId , ownerType , ownerId , vars , null , null , headers ) ; }
Start a process .
13,819
public Long startProcess ( Long processId , String masterRequestId , String ownerType , Long ownerId , Map < String , String > vars , String secondaryOwnerType , Long secondaryOwnerId , Map < String , String > headers ) throws Exception { Process procdef = getProcessDefinition ( processId ) ; int performance_level = procdef . getPerformanceLevel ( ) ; if ( performance_level <= 0 ) performance_level = default_performance_level_regular ; EngineDataAccess edao = EngineDataAccessCache . getInstance ( false , performance_level ) ; InternalMessenger msgBroker = MessengerFactory . newInternalMessenger ( ) ; if ( performance_level >= 9 ) msgBroker . setCacheOption ( InternalMessenger . CACHE_ONLY ) ; if ( masterRequestId == null ) masterRequestId = genMasterRequestId ( ) ; ProcessExecutor engine = new ProcessExecutor ( edao , msgBroker , false ) ; ProcessInstance processInst = engine . createProcessInstance ( processId , ownerType , ownerId , secondaryOwnerType , secondaryOwnerId , masterRequestId , vars ) ; if ( ownerType . equals ( OwnerType . DOCUMENT ) && ownerId != 0L ) { setOwnerDocumentProcessInstanceId ( engine , ownerId , processInst . getId ( ) , masterRequestId ) ; bindRequestVariable ( procdef , ownerId , engine , processInst ) ; } if ( headers != null ) { bindRequestHeadersVariable ( procdef , headers , engine , processInst ) ; } int delay = PropertyManager . getIntegerProperty ( PropertyNames . MDW_PROCESS_LAUNCH_DELAY , 2 ) ; engine . startProcessInstance ( processInst , delay ) ; return processInst . getId ( ) ; }
Starting a regular process .
13,820
public static Asset getAsset ( AssetVersionSpec spec , Map < String , String > attributeValues ) { Asset match = null ; try { for ( Asset asset : getAllAssets ( ) ) { if ( spec . getName ( ) . equals ( asset . getName ( ) ) ) { if ( asset . meetsVersionSpec ( spec . getVersion ( ) ) && ( match == null || asset . getVersion ( ) > match . getVersion ( ) ) ) { boolean attrsMatch = true ; for ( String attrName : attributeValues . keySet ( ) ) { String attrValue = attributeValues . get ( attrName ) ; String rsValue = asset . getAttribute ( attrName ) ; if ( rsValue == null || ! rsValue . equals ( attrValue ) ) { attrsMatch = false ; break ; } } if ( attrsMatch && ( match == null || match . getVersion ( ) < asset . getVersion ( ) ) ) { if ( ! asset . isLoaded ( ) ) { Asset loaded = getAsset ( asset . getId ( ) ) ; asset . setStringContent ( loaded . getStringContent ( ) ) ; } match = asset ; } } } } } catch ( DataAccessException ex ) { logger . severeException ( "Failed to load asset: " + spec . toString ( ) + " : " + ex . getMessage ( ) , ex ) ; } return match ; }
Get the asset based on version spec whose name and custom attributes match the parameters .
13,821
public static synchronized List < Asset > getJarAssets ( ) { if ( jarAssets == null ) { jarAssets = getAssets ( Asset . JAR ) ; } return jarAssets ; }
This is used by CloudClassLoader to search all JAR file assets
13,822
public List < String > getNotifierSpecs ( Long taskId , String outcome ) throws ObserverException { TaskTemplate taskVO = TaskTemplateCache . getTaskTemplate ( taskId ) ; if ( taskVO != null ) { String noticesAttr = taskVO . getAttribute ( TaskAttributeConstant . NOTICES ) ; if ( ! StringHelper . isEmpty ( noticesAttr ) && ! "$DefaultNotices" . equals ( noticesAttr ) ) { return parseNoticiesAttr ( noticesAttr , outcome ) ; } } return null ; }
Returns a list of notifier class name and template name pairs delimited by colon
13,823
public List < String > getNotifierSpecs ( Long taskId , Long processInstanceId , String outcome ) throws ObserverException { String noticesAttr = null ; EventServices eventManager = ServiceLocator . getEventServices ( ) ; try { if ( processInstanceId != null ) { Process process = eventManager . findProcessByProcessInstanceId ( processInstanceId ) ; if ( process != null && process . getActivities ( ) != null ) { TaskTemplate taskVO = TaskTemplateCache . getTaskTemplate ( taskId ) ; for ( Activity activity : process . getActivities ( ) ) { if ( taskVO . getLogicalId ( ) . equals ( activity . getAttribute ( TaskAttributeConstant . TASK_LOGICAL_ID ) ) ) { noticesAttr = activity . getAttribute ( TaskAttributeConstant . NOTICES ) ; break ; } } } } if ( ! StringHelper . isEmpty ( noticesAttr ) ) { return parseNoticiesAttr ( noticesAttr , outcome ) ; } return getNotifierSpecs ( taskId , outcome ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; return null ; } }
Return a list of notifier class name and template name and version pairs Get the template name and notifier class names based on the process activity attributes to get the relevant values for in flight and new processes
13,824
private List < String > parseNoticiesAttr ( String noticesAttr , String outcome ) { List < String > notifiers = new ArrayList < String > ( ) ; int columnCount = 4 ; int colon = noticesAttr . indexOf ( ";" ) ; if ( colon != - 1 ) { columnCount = StringHelper . delimiterColumnCount ( noticesAttr . substring ( 0 , colon ) , "," , "\\," ) + 1 ; } int notifierClassColIndex = columnCount > 3 ? 3 : 2 ; List < String [ ] > rows = StringHelper . parseTable ( noticesAttr , ',' , ';' , columnCount ) ; for ( String [ ] row : rows ) { if ( ! StringHelper . isEmpty ( row [ 1 ] ) && row [ 0 ] . equals ( outcome ) ) { StringTokenizer st = new StringTokenizer ( row [ notifierClassColIndex ] , "," ) ; boolean hasCustomClass = false ; String templateVerSpec = columnCount > 3 ? ":" + row [ 2 ] : "" ; while ( st . hasMoreTokens ( ) ) { String className = st . nextToken ( ) ; className = getNotifierClassName ( className ) ; notifiers . add ( className + ":" + row [ 1 ] + templateVerSpec ) ; hasCustomClass = true ; } if ( ! hasCustomClass ) { notifiers . add ( NOTIFIER_PACKAGE + ".TaskEmailNotifier:" + ":" + row [ 1 ] + templateVerSpec ) ; } } } return notifiers ; }
To parse notices attribute
13,825
public static void assertEquals ( String message , XmlCursor expected , XmlCursor actual ) { for ( int child = 0 ; true ; child ++ ) { boolean child1 = expected . toChild ( child ) ; boolean child2 = actual . toChild ( child ) ; if ( child1 != child2 ) { fail ( message , "Different XML structure near " + QNameHelper . pretty ( expected . getName ( ) ) ) ; } else if ( expected . getName ( ) != null && ! expected . getName ( ) . equals ( actual . getName ( ) ) ) { fail ( message , "Expected element: '" + expected . getName ( ) + "' differs from actual element: '" + actual . getName ( ) + "'" ) ; } else if ( child == 0 && ! child1 ) { if ( ! ( expected . getTextValue ( ) . equals ( actual . getTextValue ( ) ) ) ) { fail ( message , "Expected value for element " + QNameHelper . pretty ( expected . getName ( ) ) + " -> '" + expected . getTextValue ( ) + "' differs from actual value '" + actual . getTextValue ( ) + "'" ) ; } break ; } else if ( child1 ) { assertEquals ( message , expected , actual ) ; expected . toParent ( ) ; actual . toParent ( ) ; } else { break ; } } assertAttributesEqual ( message , expected , actual ) ; }
Uses cursors to compare two XML documents ignoring whitespace and ordering of attributes . Fails the JUnit test if they re different .
13,826
private static void assertAttributesEqual ( String message , XmlCursor expected , XmlCursor actual ) { Map < QName , String > map1 = new HashMap < QName , String > ( ) ; Map < QName , String > map2 = new HashMap < QName , String > ( ) ; boolean attr1 = expected . toFirstAttribute ( ) ; boolean attr2 = actual . toFirstAttribute ( ) ; if ( attr1 != attr2 ) { if ( expected . isAttr ( ) || actual . isAttr ( ) ) { expected . toParent ( ) ; } fail ( message , "Differing number of attributes for element: '" + QNameHelper . pretty ( expected . getName ( ) ) + "'" ) ; } else if ( ! attr1 ) { return ; } else { map1 . put ( expected . getName ( ) , expected . getTextValue ( ) ) ; map2 . put ( actual . getName ( ) , actual . getTextValue ( ) ) ; } while ( true ) { attr1 = expected . toNextAttribute ( ) ; attr2 = actual . toNextAttribute ( ) ; if ( attr1 != attr2 ) { if ( expected . isAttr ( ) || actual . isAttr ( ) ) { expected . toParent ( ) ; } fail ( message , "Differing number of attributes for element: '" + QNameHelper . pretty ( expected . getName ( ) ) + "'" ) ; } else if ( ! attr1 ) { break ; } else { map1 . put ( expected . getName ( ) , expected . getTextValue ( ) ) ; map2 . put ( actual . getName ( ) , actual . getTextValue ( ) ) ; } } expected . toParent ( ) ; actual . toParent ( ) ; Iterator < QName > iter = map1 . keySet ( ) . iterator ( ) ; while ( iter . hasNext ( ) ) { QName name = iter . next ( ) ; String value1 = map1 . get ( name ) ; String value2 = map2 . get ( name ) ; if ( value2 == null ) { fail ( message , "Expected attribute value missing for element: " + QNameHelper . pretty ( expected . getName ( ) ) + " + name + "'" ) ; } else if ( ! value2 . equals ( value1 ) ) { fail ( message , "Attribute values for element '" + QNameHelper . pretty ( expected . getName ( ) ) + "': Expected '" + value1 + "', Actual '" + value2 + "'" ) ; } } }
Compares the attributes of the elements at the current position of two XmlCursors . The ordering of the attributes is ignored in the comparison . Fails the JUnit test case if the attributes or their values are different .
13,827
private String getMainPropertyFileName ( ) throws StartupException { String configLoc = getConfigLocation ( ) ; File file = new File ( configLoc == null ? MDW_PROPERTIES_FILE_NAME : ( configLoc + MDW_PROPERTIES_FILE_NAME ) ) ; if ( file . exists ( ) ) return MDW_PROPERTIES_FILE_NAME ; URL url = this . getClass ( ) . getClassLoader ( ) . getResource ( MDW_PROPERTIES_FILE_NAME ) ; if ( url != null ) return MDW_PROPERTIES_FILE_NAME ; return null ; }
Null means not found .
13,828
public File getCompiled ( AssetInfo asset , File starter ) throws IOException , ServiceException { File file ; synchronized ( WebpackCache . class ) { file = webpackAssets . get ( asset ) ; if ( file == null || ! file . exists ( ) || file . lastModified ( ) < asset . getFile ( ) . lastModified ( ) || ( starter != null && file . lastModified ( ) < starter . lastModified ( ) ) ) { file = getOutput ( asset ) ; compile ( asset , starter , file ) ; return file ; } } return file ; }
Starter file will be compiled but asset used to compute output path .
13,829
private void compile ( AssetInfo asset , File source , File target ) throws ServiceException { File watched = watchedAssets . get ( asset ) ; if ( watched == null ) { if ( isDevMode ( ) ) { new Thread ( ( ) -> { try { if ( isDevMode ( ) ) watchedAssets . put ( asset , target ) ; doCompile ( asset , source , target ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } } ) . start ( ) ; } else { doCompile ( asset , source , target ) ; } } }
Returns null except in dev mode .
13,830
public List < ServiceMonitor > getServiceMonitors ( ) { List < ServiceMonitor > serviceMonitors = new ArrayList < > ( ) ; serviceMonitors . addAll ( getDynamicServices ( ServiceMonitor . class ) ) ; return serviceMonitors ; }
Returns all service monitors .
13,831
protected TaskInstance createTaskInstance ( ) throws ActivityException { try { String taskTemplate = getAttributeValue ( ATTRIBUTE_TASK_TEMPLATE ) ; if ( taskTemplate == null ) throw new ActivityException ( "Missing attribute: " + ATTRIBUTE_TASK_TEMPLATE ) ; String templateVersion = getAttributeValue ( ATTRIBUTE_TASK_TEMPLATE_VERSION ) ; AssetVersionSpec spec = new AssetVersionSpec ( taskTemplate , templateVersion == null ? "0" : templateVersion ) ; TaskTemplate template = TaskTemplateCache . getTaskTemplate ( spec ) ; if ( template == null ) throw new ActivityException ( "Task template not found: " + spec ) ; String taskName = template . getTaskName ( ) ; String title = null ; if ( ActivityRuntimeContext . isExpression ( taskName ) ) { title = getRuntimeContext ( ) . evaluateToString ( taskName ) ; } String comments = null ; Exception exception = ( Exception ) getVariableValue ( "exception" ) ; if ( exception != null ) { comments = exception . toString ( ) ; if ( exception instanceof ActivityException ) { ActivityRuntimeContext rc = ( ( ActivityException ) exception ) . getRuntimeContext ( ) ; if ( rc != null && rc . getProcess ( ) != null ) { comments = rc . getProcess ( ) . getFullLabel ( ) + "\n" + comments ; } } } return createTaskInstance ( spec , getMasterRequestId ( ) , getProcessInstanceId ( ) , getActivityInstanceId ( ) , getWorkTransitionInstanceId ( ) , title , comments ) ; } catch ( Exception ex ) { throw new ActivityException ( ex . getMessage ( ) , ex ) ; } }
Creates a new task instance based on the configured template for this activity .
13,832
public Map < String , String > getRequestHeaders ( ) { Map < String , String > requestHeaders = super . getRequestHeaders ( ) ; if ( requestHeaders == null ) requestHeaders = new HashMap < > ( ) ; try { requestHeaders . put ( Request . REQUEST_ID , getMasterRequestId ( ) ) ; String httpMethod = getHttpMethod ( ) ; if ( "GET" . equals ( httpMethod ) ) requestHeaders . put ( "Accept" , "application/json" ) ; else requestHeaders . put ( "Content-Type" , "application/json" ) ; } catch ( ActivityException ex ) { logexception ( ex . getMessage ( ) , ex ) ; } return requestHeaders ; }
Overridden to append JSON headers .
13,833
public Long getRequestId ( ) throws ActivityException { if ( requestId != null ) return requestId ; String requestIdVarName = getAttribute ( "requestIdVariable" , "requestId" ) ; Variable requestIdVar = getProcessDefinition ( ) . getVariable ( requestIdVarName ) ; if ( requestIdVar == null && ! "GET" . equals ( getHttpMethod ( ) ) ) throw new ActivityException ( "Request ID variable not defined: " + requestIdVarName ) ; Object requestIdObj = getVariableValue ( requestIdVarName ) ; if ( requestIdObj == null ) return null ; if ( requestIdObj instanceof Long ) { return ( Long ) requestIdObj ; } else { try { return Long . valueOf ( requestIdObj . toString ( ) ) ; } catch ( NumberFormatException ex ) { throw new ActivityException ( "Invalid value for " + requestIdVarName + ": " + requestIdObj ) ; } } }
Returns the requestId that we will use to populate the serviceSummary
13,834
public JSONObject handleEvent ( SlackEvent event ) throws ServiceException { if ( event . getCallbackId ( ) != null && event . getCallbackId ( ) . indexOf ( '_' ) > 0 && event . getCallbackId ( ) . indexOf ( '/' ) > 0 && event . getTs ( ) != null ) { Long instanceId = Long . parseLong ( event . getCallbackId ( ) . substring ( event . getCallbackId ( ) . lastIndexOf ( '/' ) + 1 ) ) ; new Thread ( ( ) -> { Map < String , String > indexes = new HashMap < > ( ) ; logger . debug ( "Saving slack:message_ts=" + event . getTs ( ) + " for task " + instanceId ) ; indexes . put ( "slack:message_ts" , event . getTs ( ) ) ; try { ServiceLocator . getTaskServices ( ) . updateIndexes ( instanceId , indexes ) ; } catch ( Exception ex ) { logger . severeException ( "Error updating indexes for task " + instanceId + ": " + ex , ex ) ; } } ) . start ( ) ; } else if ( event . getThreadTs ( ) != null && event . getUser ( ) != null ) { new Thread ( ( ) -> { try { TaskServices taskServices = ServiceLocator . getTaskServices ( ) ; Query query = new Query ( ) ; query . setFilter ( "index" , "slack:message_ts=" + event . getThreadTs ( ) ) ; List < TaskInstance > instances = taskServices . getTasks ( query ) . getTasks ( ) ; for ( TaskInstance instance : instances ) { Comment comment = new Comment ( ) ; comment . setCreated ( Date . from ( Instant . now ( ) ) ) ; comment . setCreateUser ( event . getUser ( ) . equals ( "U4V5SG5PU" ) ? "Donald Oakes" : event . getUser ( ) ) ; comment . setContent ( event . getText ( ) ) ; comment . setOwnerType ( OwnerType . TASK_INSTANCE ) ; comment . setOwnerId ( instance . getTaskInstanceId ( ) ) ; comment . setName ( "slack_message" ) ; ServiceLocator . getCollaborationServices ( ) . createComment ( comment ) ; } } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } } ) . start ( ) ; } return null ; }
Messages posted on the tasks channel .
13,835
public static void writeToFile ( String pFileName , String pContents , boolean pAppend ) throws IOException { FileWriter writer = null ; writer = new FileWriter ( pFileName , pAppend ) ; writer . write ( pContents ) ; writer . flush ( ) ; writer . close ( ) ; }
Method that writes the file contents
13,836
public static InputStream openConfigurationFile ( String filepath , ClassLoader classLoader ) throws FileNotFoundException { File file = getConfigurationFile ( filepath ) ; if ( file . exists ( ) ) { logger . info ( "Located configuration file: " + file . getAbsolutePath ( ) ) ; return new FileInputStream ( file ) ; } InputStream is = classLoader . getResourceAsStream ( filepath ) ; if ( is == null ) { if ( ApplicationContext . getDeployPath ( ) != null ) { String deployPath = ApplicationContext . getDeployPath ( ) ; if ( ! deployPath . endsWith ( "/" ) ) deployPath += "/" ; file = new File ( deployPath + "META-INF/mdw/" + filepath ) ; if ( file . exists ( ) ) { logger . info ( "Located configuration file: " + file . getAbsolutePath ( ) ) ; is = new FileInputStream ( file ) ; } } if ( is == null ) throw new FileNotFoundException ( filepath ) ; } return is ; }
Open configuration file . If Java system property mdw . config . location is defined and the file exists in that directory it will load the file . Otherwise it loads through the class path .
13,837
protected KieBase getKnowledgeBase ( String name , String modifier ) throws StrategyException { KnowledgeBaseAsset kbrs = DroolsKnowledgeBaseCache . getKnowledgeBaseAsset ( name , modifier , null , getClassLoader ( ) ) ; if ( kbrs == null ) { return null ; } else { return kbrs . getKnowledgeBase ( ) ; } }
Returns the latest version .
13,838
protected List < Attribute > getAttributes1 ( String ownerType , Long ownerId ) throws SQLException { List < Attribute > attrs = getAttributes0 ( ownerType , ownerId ) ; if ( attrs == null ) return null ; ResultSet rs ; String query = "select RULE_SET_DETAILS from RULE_SET where RULE_SET_ID=?" ; for ( Attribute attr : attrs ) { String v = attr . getAttributeValue ( ) ; if ( v != null && v . startsWith ( Asset . ATTRIBUTE_OVERFLOW ) ) { Long assetId = new Long ( v . substring ( Asset . ATTRIBUTE_OVERFLOW . length ( ) + 1 ) ) ; rs = db . runSelect ( query , assetId ) ; if ( rs . next ( ) ) { attr . setAttributeValue ( rs . getString ( 1 ) ) ; } } } return attrs ; }
Same as getAttribute1 but handles overflow values
13,839
public Document getDocument ( Long documentId ) throws DataAccessException { try { db . openConnection ( ) ; return this . getDocument ( documentId , false ) ; } catch ( SQLException ex ) { throw new DataAccessException ( "Failed to load document: " + documentId , ex ) ; } finally { db . closeConnection ( ) ; } }
Not for update . Opens a new connection .
13,840
@ SuppressWarnings ( "unchecked" ) public boolean evaluate ( List < String > completedActivities , List < VariableInstance > variableInstances ) throws SynchronizationException { if ( syncedActivityIds == null || syncedActivityIds . length == 0 ) return true ; try { Expression e = ExpressionFactory . createExpression ( syncExpression ) ; JexlContext jc = JexlHelper . createContext ( ) ; if ( syncedActivityIds != null && completedActivities != null ) { for ( String syncedActivityId : syncedActivityIds ) { Boolean isCompleted = completedActivities . contains ( syncedActivityId ) ; jc . getVars ( ) . put ( syncedActivityId , isCompleted ) ; String escapedName = idToEscapedName . get ( syncedActivityId ) ; if ( escapedName != null ) jc . getVars ( ) . put ( escapedName , isCompleted ) ; } } if ( variableInstances != null ) { for ( VariableInstance variableInstance : variableInstances ) { jc . getVars ( ) . put ( variableInstance . getName ( ) , variableInstance . getData ( ) ) ; } } Boolean b = ( Boolean ) e . evaluate ( jc ) ; return b . booleanValue ( ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; throw new SynchronizationException ( ex . getMessage ( ) , ex ) ; } }
Checks whether the synchronization criteria can be considered to be met by evaluating the expression versus the list of completed activities .
13,841
public String getDefaultSyncExpression ( ) { String syncExpression = "" ; for ( int i = 0 ; i < syncedActivityIds . length ; i ++ ) { if ( i > 0 ) syncExpression += " && " ; syncExpression += syncedActivityIds [ i ] ; } return syncExpression ; }
Create the default sync expression based on the synced activity logical IDs .
13,842
public static RoutingStrategy getRoutingStrategy ( String attributeValue ) throws StrategyException { TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . RoutingStrategy ) ; RoutingStrategy strategy = ( RoutingStrategy ) factory . getStrategyInstance ( RoutingStrategy . class , className , null ) ; return strategy ; }
Returns a workgroup routing strategy instance based on an attribute value which can consist of either the routing strategy logical name or an xml document .
13,843
public static RoutingStrategy getRoutingStrategy ( String attributeValue , Long processInstanceId ) throws StrategyException { Package packageVO = processInstanceId == null ? null : getPackage ( processInstanceId ) ; TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . RoutingStrategy ) ; RoutingStrategy strategy = ( RoutingStrategy ) factory . getStrategyInstance ( RoutingStrategy . class , className , packageVO ) ; return strategy ; }
Returns a workgroup routing strategy instance based on an attribute value and bundle spec which can consist of either the routing strategy logical name or an xml document .
13,844
public static SubTaskStrategy getSubTaskStrategy ( String attributeValue ) throws StrategyException { TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . SubTaskStrategy ) ; SubTaskStrategy strategy = ( SubTaskStrategy ) factory . getStrategyInstance ( SubTaskStrategy . class , className , null ) ; return strategy ; }
Returns a subtask strategy instance based on an attribute value which can consist of either the subtask strategy logical name or an xml document .
13,845
public static SubTaskStrategy getSubTaskStrategy ( String attributeValue , Long processInstanceId ) throws StrategyException { Package packageVO = processInstanceId == null ? null : getPackage ( processInstanceId ) ; TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . SubTaskStrategy ) ; SubTaskStrategy strategy = ( SubTaskStrategy ) factory . getStrategyInstance ( SubTaskStrategy . class , className , packageVO ) ; return strategy ; }
Returns a subtask strategy instance based on an attribute value and bundle spec which can consist of either the subtask strategy logical name or an xml document .
13,846
public static PrioritizationStrategy getPrioritizationStrategy ( String attributeValue ) throws StrategyException { TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . PrioritizationStrategy ) ; PrioritizationStrategy strategy = ( PrioritizationStrategy ) factory . getStrategyInstance ( PrioritizationStrategy . class , className , null ) ; return strategy ; }
Returns a Prioritization routing strategy instance based on an attribute value which can consist of either the routing strategy logical name or an xml document .
13,847
public static PrioritizationStrategy getPrioritizationStrategy ( String attributeValue , Long processInstanceId ) throws StrategyException { Package packageVO = processInstanceId == null ? null : getPackage ( processInstanceId ) ; TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( attributeValue , StrategyType . PrioritizationStrategy ) ; PrioritizationStrategy strategy = ( PrioritizationStrategy ) factory . getStrategyInstance ( PrioritizationStrategy . class , className , packageVO ) ; return strategy ; }
Returns a Prioritization routing strategy instance based on an attribute value and bundle spec which can consist of either the routing strategy logical name or an xml document .
13,848
public static AutoAssignStrategy getAutoAssignStrategy ( String logicalName ) throws StrategyException { TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( logicalName , StrategyType . AutoAssignStrategy ) ; return ( AutoAssignStrategy ) factory . getStrategyInstance ( AutoAssignStrategy . class , className , null ) ; }
Returns an auto - assign strategy instance based on the logical name .
13,849
public static AutoAssignStrategy getAutoAssignStrategy ( String logicalName , Long processInstanceId ) throws StrategyException { Package packageVO = processInstanceId == null ? null : getPackage ( processInstanceId ) ; TaskInstanceStrategyFactory factory = getInstance ( ) ; String className = factory . getStrategyClassName ( logicalName , StrategyType . AutoAssignStrategy ) ; return ( AutoAssignStrategy ) factory . getStrategyInstance ( AutoAssignStrategy . class , className , packageVO ) ; }
Returns an auto - assign strategy instance based on the logical name and bundle spec .
13,850
public JavaFileObject getJavaFileForOutput ( Location location , String className , Kind kind , FileObject sibling ) throws IOException { if ( logger . isMdwDebugEnabled ( ) ) logger . mdwDebug ( "Loading Dynamic Java byte code from: " + ( sibling == null ? null : sibling . toUri ( ) ) ) ; try { JavaFileObject jfo = new ByteArrayJavaFileObject ( className , kind ) ; jfoCache . putIfAbsent ( className , jfo ) ; return jfo ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; throw new IOException ( ex . getMessage ( ) , ex ) ; } }
Create a new Java file object which will be used by the compiler to store the generated byte code . Also add a reference to the object to the cache so it can be accessed by other parts of the application .
13,851
protected ServiceSummary getServiceSummary ( ) throws ActivityException { ServiceSummary serviceSummary = ( ServiceSummary ) getVariableValue ( "serviceSummary" ) ; if ( serviceSummary == null ) throw new ActivityException ( "Missing variable: serviceSummary" ) ; return serviceSummary ; }
If you really must name the variable something other than serviceSummary you can override this method to retrieve its value .
13,852
protected Object openConnection ( ) throws ConnectionException { try { String dataSource = getDataSource ( ) ; if ( dataSource == null ) throw new ConnectionException ( "Missing attribute: " + JDBC_DATASOURCE ) ; DatabaseAccess dbAccess = new DatabaseAccess ( dataSource ) ; dbAccess . openConnection ( ) ; return dbAccess ; } catch ( Exception ex ) { throw new ConnectionException ( ConnectionException . CONNECTION_DOWN , ex . getMessage ( ) , ex ) ; } }
Returns a db connection based on the configured jdbc url or datasource which includes the resource path . Override for HTTPS or other connection type .
13,853
public Object invoke ( Object conn , Object requestData ) throws AdapterException { try { DatabaseAccess dbAccess = ( DatabaseAccess ) conn ; if ( requestData == null ) throw new AdapterException ( "Missing SQL Query" ) ; String query = ( String ) requestData ; QueryType queryType = getQueryType ( ) ; Object queryParams = getQueryParameters ( ) ; if ( queryParams instanceof List < ? > ) { if ( queryType == QueryType . Select ) return dbAccess . runSelect ( query , ( ( List < ? > ) queryParams ) . toArray ( ) ) ; else if ( queryType == QueryType . Update ) { Integer ret = new Integer ( dbAccess . runUpdate ( query , ( ( List < ? > ) queryParams ) . toArray ( ) ) ) ; dbAccess . commit ( ) ; return ret ; } else throw new AdapterException ( "Unsupported query type: " + queryType ) ; } else { if ( queryType == QueryType . Select ) return dbAccess . runSelect ( query , queryParams ) ; else if ( queryType == QueryType . Update ) { Integer ret = new Integer ( dbAccess . runUpdate ( query , queryParams ) ) ; dbAccess . commit ( ) ; return ret ; } else throw new AdapterException ( "Unsupported query type: " + queryType ) ; } } catch ( SQLException ex ) { AdapterException adapEx = new AdapterException ( - 1 , ex . getMessage ( ) , ex ) ; if ( isRetryable ( ex ) ) adapEx . setRetryable ( true ) ; throw adapEx ; } catch ( Exception ex ) { throw new AdapterException ( - 1 , ex . getMessage ( ) , ex ) ; } }
Invokes the JDBC Query . If QueryType is Select returns a java . sql . ResultSet . If QueryType is Update returns an Integer with the number of rows updated .
13,854
protected Object getRequestData ( ) throws ActivityException { try { return executePreScript ( getSqlQuery ( ) ) ; } catch ( Exception ex ) { throw new ActivityException ( ex . getMessage ( ) , ex ) ; } }
Returns the parameterized SQL query to execute .
13,855
@ SuppressWarnings ( "unchecked" ) public String getMasterRequestId ( Message request ) { List < SoapHeader > headers = ( List < SoapHeader > ) ( ( CxfPayload < ? > ) request . getBody ( ) ) . getHeaders ( ) ; for ( SoapHeader header : headers ) { if ( header . getName ( ) . getLocalPart ( ) . equals ( "MasterRequestID" ) ) { Node headerNode = ( Node ) header . getObject ( ) ; return headerNode . getTextContent ( ) ; } } return null ; }
Assumes a MasterRequestID SOAP header element . Override for something different .
13,856
private boolean validate ( DefinitionsDocument defdoc ) { List < XmlError > errorList = new ArrayList < > ( ) ; XmlOptions options = new XmlOptions ( ) . setSavePrettyPrint ( ) . setSavePrettyPrintIndent ( 2 ) . setSaveAggressiveNamespaces ( ) ; options . setErrorListener ( errorList ) ; System . out . println ( "!--toString---" ) ; System . out . println ( defdoc . toString ( ) ) ; boolean valid = defdoc . validate ( options ) ; System . out . println ( "Document is " + ( valid ? "valid" : "invalid" ) ) ; if ( ! valid ) { for ( int i = 0 ; i < errorList . size ( ) ; i ++ ) { XmlError error = errorList . get ( i ) ; System . out . println ( "\n" ) ; System . out . println ( "Message: " + error . getMessage ( ) + "\n" ) ; System . out . println ( "Location of invalid XML: " + error . getCursorLocation ( ) . xmlText ( ) + "\n" ) ; } } return valid ; }
Validates the xml after creation
13,857
public static boolean verifyClass ( String className ) { try { Class < ? > cl = Class . forName ( className ) ; cl . newInstance ( ) ; return true ; } catch ( Exception ex ) { logger . severeException ( "ApplicationContext: verifyClass(): General Exception occurred: " + ex . getMessage ( ) , ex ) ; return false ; } }
Verifies a class
13,858
public static String getAppId ( ) { if ( appId != null ) return appId ; appId = PropertyManager . getProperty ( PropertyNames . MDW_APP_ID ) ; if ( appId == null ) appId = PropertyManager . getProperty ( "mdw.application.name" ) ; if ( appId == null ) return "Unknown" ; return appId ; }
Returns the application name
13,859
public static String getAppVersion ( ) { if ( appVersion != null ) return appVersion ; String appName = getAppId ( ) ; if ( "mdw" . equalsIgnoreCase ( appName ) ) { appVersion = getMdwVersion ( ) ; } else { appVersion = "Unknown" ; try { InputStream stream = ApplicationContext . class . getClassLoader ( ) . getResourceAsStream ( BUILD_VERSION_FILE ) ; if ( stream != null ) { appVersion = "" ; int i ; while ( ( i = stream . read ( ) ) != - 1 ) { appVersion += ( char ) i ; } stream . close ( ) ; } } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } } return appVersion ; }
Returns the application version read from the build version file
13,860
public static String getServicesUrl ( ) { String servicesUrl = PropertyManager . getProperty ( PropertyNames . MDW_SERVICES_URL ) ; if ( servicesUrl == null ) { servicesUrl = getMdwHubUrl ( ) ; } if ( servicesUrl . endsWith ( "/" ) ) servicesUrl = servicesUrl . substring ( 0 , servicesUrl . length ( ) - 1 ) ; return servicesUrl ; }
Returns the web services URL
13,861
public static String getCentralServicesUrl ( ) { String centralServicesUrl = getMdwCentralUrl ( ) ; if ( centralServicesUrl != null && centralServicesUrl . endsWith ( "/central" ) ) centralServicesUrl = centralServicesUrl . substring ( 0 , centralServicesUrl . length ( ) - 8 ) ; return centralServicesUrl ; }
Compatibility for disparities in mdw - central hosting mechanism .
13,862
public static String substitute ( String sql , Object ... params ) { try { if ( params == null || params . length == 0 ) return sql ; String subst = sql ; int start = 0 ; int q ; for ( int i = 0 ; start < subst . length ( ) && ( q = subst . indexOf ( '?' , start ) ) >= 0 ; i ++ ) { Object param = params [ i ] ; String p = String . valueOf ( param ) ; if ( param != null && ! ( param instanceof Integer ) && ! ( param instanceof Long ) ) p = "'" + p + "'" ; subst = subst . substring ( 0 , q ) + p + subst . substring ( q + 1 ) ; start = q + p . length ( ) ; } return subst ; } catch ( Throwable t ) { logger . severeException ( t . getMessage ( ) , t ) ; return sql ; } }
Utility method for showing parameterized query result
13,863
public static List < ExternalEvent > getPathExternalEvents ( String bucket ) { if ( myPathCache . get ( bucket ) != null ) return myPathCache . get ( bucket ) ; else if ( bucket . indexOf ( '/' ) > 0 ) { return getPathExternalEvents ( bucket . substring ( 0 , bucket . lastIndexOf ( '/' ) ) ) ; } return null ; }
returns the cached path - based external event
13,864
public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { Asset rules = getRulesAsset ( path ) ; Operand input = new Operand ( ) ; input . setContext ( getContext ( path ) ) ; Query query = getQuery ( path , headers ) ; input . setParams ( query . getFilters ( ) ) ; input . setMeta ( headers ) ; JSONObject response = invokeRules ( rules , input , getExecutor ( headers ) ) ; Status status = input . getStatus ( ) ; if ( status != null ) { headers . put ( Listener . METAINFO_HTTP_STATUS_CODE , String . valueOf ( status . getCode ( ) ) ) ; if ( response == null ) return status . getJson ( ) ; } return response ; }
Apply rules designated in asset path against incoming request parameters .
13,865
@ Path ( "/{assetPath}" ) @ ApiOperation ( value = "Apply rules identified by assetPath." , notes = "Query may contain runtime values" ) @ ApiImplicitParams ( { @ ApiImplicitParam ( name = "FactsObject" , paramType = "body" , required = true , value = "Input to apply rules against" ) , @ ApiImplicitParam ( name = "assetPath" , paramType = "path" , required = true , value = "Identifies a .drl or .xlsx asset" ) , @ ApiImplicitParam ( name = "rules-executor" , paramType = "header" , required = false , value = "Default is Drools" ) } ) public JSONObject post ( String path , JSONObject content , Map < String , String > headers ) throws ServiceException , JSONException { Asset rules = getRulesAsset ( path ) ; Operand input = new Operand ( content ) ; input . setContext ( getContext ( path ) ) ; Query query = getQuery ( path , headers ) ; input . setParams ( query . getFilters ( ) ) ; input . setMeta ( headers ) ; JSONObject response = invokeRules ( rules , input , getExecutor ( headers ) ) ; Status status = input . getStatus ( ) ; if ( status != null ) { headers . put ( Listener . METAINFO_HTTP_STATUS_CODE , String . valueOf ( status . getCode ( ) ) ) ; if ( response == null ) return status . getJson ( ) ; } return response ; }
Apply rules designated in asset path against incoming JSONObject .
13,866
public void execute ( ) throws ActivityException { try { String language = getLanguage ( ) ; String script = getScript ( ) ; Object retObj = executeScript ( script , language , null , null ) ; if ( retObj != null ) setReturnCode ( retObj . toString ( ) ) ; } catch ( ActivityException ex ) { throw ex ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; throw new ActivityException ( - 1 , ex . getMessage ( ) , ex ) ; } }
Execute scripts in supported languages .
13,867
@ SuppressWarnings ( "deprecation" ) protected Date getEndDate ( Query query ) { Instant instant = query . getInstantFilter ( "Ending" ) ; if ( instant == null ) return null ; else { Date end = new Date ( Date . from ( instant ) . getTime ( ) + DatabaseAccess . getDbTimeDiff ( ) ) ; if ( end . getHours ( ) == 0 ) { end = new Date ( end . getTime ( ) + DAY_MS ) ; } return end ; } }
This is not completion date . It s ending start date .
13,868
public void removeEventWaitForActivityInstance ( Long activityInstanceId , String reason ) throws SQLException { String query = "delete from EVENT_WAIT_INSTANCE where EVENT_WAIT_INSTANCE_OWNER_ID=?" ; db . runUpdate ( query , activityInstanceId ) ; this . recordEventHistory ( "All Events" , EventLog . SUBCAT_DEREGISTER , OwnerType . ACTIVITY_INSTANCE , activityInstanceId , reason ) ; if ( db . isMySQL ( ) ) db . commit ( ) ; }
remove other wait instances when an activity receives one event
13,869
private void removeEventWait ( String eventName ) throws SQLException { String query = "delete from EVENT_WAIT_INSTANCE where EVENT_NAME=?" ; db . runUpdate ( query , eventName ) ; this . recordEventHistory ( eventName , EventLog . SUBCAT_DEREGISTER , "N/A" , 0L , "Deregister all existing waiters" ) ; }
remove existing waiters when a new waiter is registered for the same event
13,870
public List < ScheduledEvent > getScheduledEventList ( Date cutofftime ) throws SQLException { StringBuffer query = new StringBuffer ( ) ; query . append ( "select EVENT_NAME,CREATE_DT,CONSUME_DT,AUXDATA,REFERENCE,COMMENTS " ) ; query . append ( "from EVENT_INSTANCE " ) ; query . append ( "where STATUS_CD in (" ) ; query . append ( EventInstance . STATUS_SCHEDULED_JOB ) . append ( "," ) ; query . append ( EventInstance . STATUS_INTERNAL_EVENT ) . append ( ")" ) ; ResultSet rs ; if ( cutofftime == null ) { query . append ( " and CONSUME_DT is null" ) ; rs = db . runSelect ( query . toString ( ) ) ; } else { query . append ( " and CONSUME_DT < ?" ) ; rs = db . runSelect ( query . toString ( ) , cutofftime ) ; } List < ScheduledEvent > ret = new ArrayList < ScheduledEvent > ( ) ; while ( rs . next ( ) ) { ScheduledEvent de = new ScheduledEvent ( ) ; de . setName ( rs . getString ( 1 ) ) ; de . setCreateTime ( rs . getTimestamp ( 2 ) ) ; de . setScheduledTime ( rs . getTimestamp ( 3 ) ) ; de . setMessage ( rs . getString ( 4 ) ) ; de . setReference ( rs . getString ( 5 ) ) ; if ( de . getMessage ( ) == null ) de . setMessage ( rs . getString ( 6 ) ) ; ret . add ( de ) ; } return ret ; }
Load all internal event and scheduled jobs before cutoff time . If cutoff time is null load only unscheduled events
13,871
public List < UnscheduledEvent > getUnscheduledEventList ( Date cutoffTime , int maxRows ) throws SQLException { StringBuffer query = new StringBuffer ( ) ; query . append ( "select EVENT_NAME,CREATE_DT,AUXDATA,REFERENCE,COMMENTS " ) ; query . append ( "from EVENT_INSTANCE " ) ; query . append ( "where STATUS_CD = " + EventInstance . STATUS_INTERNAL_EVENT + " " ) ; query . append ( "and CREATE_DT < ? " ) ; query . append ( "and CONSUME_DT is null " ) ; if ( ! db . isMySQL ( ) ) query . append ( "and ROWNUM <= " + maxRows + " " ) ; query . append ( "order by CREATE_DT" ) ; if ( db . isMySQL ( ) ) query . append ( " LIMIT " + maxRows + " " ) ; List < UnscheduledEvent > ret = new ArrayList < UnscheduledEvent > ( ) ; ResultSet rs = db . runSelect ( query . toString ( ) , cutoffTime ) ; while ( rs . next ( ) ) { UnscheduledEvent ue = new UnscheduledEvent ( ) ; ue . setName ( rs . getString ( "EVENT_NAME" ) ) ; ue . setCreateTime ( rs . getTimestamp ( "CREATE_DT" ) ) ; ue . setMessage ( rs . getString ( "AUXDATA" ) ) ; ue . setReference ( rs . getString ( "REFERENCE" ) ) ; if ( ue . getMessage ( ) == null ) ue . setMessage ( rs . getString ( "COMMENTS" ) ) ; ret . add ( ue ) ; } return ret ; }
Load all internal events start at the specified age and scheduled jobs before cutoff time . If cutoff time is null load only unscheduled events
13,872
public String getVariableNameForTaskInstance ( Long taskInstId , String name ) throws SQLException { String query = "select v.VARIABLE_NAME " + "from VARIABLE v, VARIABLE_MAPPING vm, TASK t, TASK_INSTANCE ti " + "where ti.TASK_INSTANCE_ID = ?" + " and ti.TASK_ID = t.TASK_ID" + " and vm.MAPPING_OWNER = 'TASK'" + " and vm.MAPPING_OWNER_ID = t.TASK_ID" + " and v.VARIABLE_ID = vm.VARIABLE_ID" + " and (v.VARIABLE_NAME = ? or vm.VAR_REFERRED_AS = ?)" ; Object [ ] args = new Object [ 3 ] ; args [ 0 ] = taskInstId ; args [ 1 ] = name ; args [ 2 ] = name ; ResultSet rs = db . runSelect ( query , args ) ; if ( rs . next ( ) ) { return rs . getString ( 1 ) ; } else throw new SQLException ( "getVariableNameForTaskInstance returns no result" ) ; }
Get the variable name for a task instance with Referred as name
13,873
private static void initializeLogging ( ) { try { String mdwLogLevel = LoggerUtil . initializeLogging ( ) ; if ( mdwLogLevel != null ) { LoggerContext loggerContext = ( LoggerContext ) LoggerFactory . getILoggerFactory ( ) ; loggerContext . getLogger ( "com.centurylink.mdw" ) . setLevel ( Level . toLevel ( mdwLogLevel . toLowerCase ( ) ) ) ; } } catch ( IOException ex ) { ex . printStackTrace ( ) ; } }
Make zero - config logback logging honor mdw . logging . level in mdw . yaml .
13,874
protected synchronized List < String > getActiveWorkerInstances ( ) { List < String > localList = new ArrayList < String > ( ) ; int activeServerInterval = PropertyManager . getIntegerProperty ( PropertyNames . MDW_ROUTING_ACTIVE_SERVER_INTERVAL , 15 ) ; if ( lastCheck == 0 || ( ( System . currentTimeMillis ( ) - lastCheck ) / 1000 ) > activeServerInterval ) { lastCheck = System . currentTimeMillis ( ) ; activeServerList . clear ( ) ; for ( String server : getWorkerInstances ( ) ) { try { HttpHelper helper = new HttpHelper ( new URL ( "http://" + server + "/" + ApplicationContext . getServicesContextRoot ( ) + "/Services/SystemInfo?type=threadDumpCount&format=text" ) ) ; helper . setConnectTimeout ( 1000 ) ; helper . setReadTimeout ( 1000 ) ; String response = helper . get ( ) ; if ( ! StringHelper . isEmpty ( response ) && Integer . parseInt ( response ) > 0 && ! activeServerList . contains ( server ) ) activeServerList . add ( server ) ; } catch ( Exception ex ) { if ( activeServerList . contains ( server ) ) activeServerList . remove ( server ) ; logger . info ( "MDW Server instance " + server + " is not responding" ) ; } } lastCheck = System . currentTimeMillis ( ) ; } if ( activeServerList . isEmpty ( ) ) { for ( String server : getWorkerInstances ( ) ) activeServerList . add ( server ) ; } for ( String server : activeServerList ) localList . add ( server ) ; return localList ; }
Override this to modify how active instances are determined
13,875
protected URL buildURL ( Map < String , String > headers , String instanceHostPort ) throws MalformedURLException { String origUrl = headers . get ( Listener . METAINFO_REQUEST_URL ) ; if ( origUrl == null || ! origUrl . startsWith ( "http" ) ) { return new URL ( "http://" + instanceHostPort + "/" + getServicesRoot ( ) + "/Services" ) ; } else { URL origHttpUrl = new URL ( origUrl ) ; String path = origHttpUrl . getPath ( ) ; if ( path != null && ( path . contains ( "/SOAP" ) || path . contains ( "/MDWWebService" ) ) ) path = "/" + getServicesRoot ( ) + "/Services" ; String destUrl = origHttpUrl . getProtocol ( ) + "://" + instanceHostPort + path ; if ( ! StringHelper . isEmpty ( headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) ) ) destUrl += "?" + headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) ; return new URL ( destUrl ) ; } }
Override this to build the destination URL differently .
13,876
public Object toObject ( String pStr ) { String decoded = null ; try { decoded = decoder . decode ( pStr ) ; } catch ( DecoderException ex ) { ex . printStackTrace ( ) ; throw new TranslationException ( ex . getMessage ( ) ) ; } return decoded ; }
converts the passed in String to an equivalent object
13,877
protected void runScript ( String mapperScript , Slurper slurper , Builder builder ) throws ActivityException , TransformerException { CompilerConfiguration compilerConfig = new CompilerConfiguration ( ) ; compilerConfig . setScriptBaseClass ( CrossmapScript . class . getName ( ) ) ; Binding binding = new Binding ( ) ; binding . setVariable ( "runtimeContext" , getRuntimeContext ( ) ) ; binding . setVariable ( slurper . getName ( ) , slurper . getInput ( ) ) ; binding . setVariable ( builder . getName ( ) , builder ) ; GroovyShell shell = new GroovyShell ( getPackage ( ) . getCloudClassLoader ( ) , binding , compilerConfig ) ; Script gScript = shell . parse ( mapperScript ) ; gScript . run ( ) ; }
Invokes the builder object for creating new output variable value .
13,878
public Map < String , String > getDocRefs ( ) { return new HashMap < String , String > ( ) { public String get ( Object varName ) { VariableInstance varInst = processInstance . getVariable ( ( String ) varName ) ; if ( varInst != null && varInst . getData ( ) instanceof DocumentReference ) return varInst . getData ( ) . toString ( ) ; return null ; } } ; }
For read - only access .
13,879
public Object getValue ( String key ) { if ( isExpression ( key ) ) return evaluate ( key ) ; else return getVariables ( ) . get ( key ) ; }
Returns a variable value . Key can be a var name or an expression .
13,880
@ ApiModelProperty ( hidden = true ) public AssetFile getAssetFile ( File file , AssetRevision rev ) throws IOException { AssetFile assetFile ; if ( rev == null ) { rev = versionControl . getRevision ( file ) ; if ( rev == null ) { rev = new AssetRevision ( ) ; rev . setVersion ( 0 ) ; rev . setModDate ( new Date ( ) ) ; } assetFile = new AssetFile ( this , file . getName ( ) , rev ) ; assetFile . setRevision ( rev ) ; } else { versionControl . setRevision ( file , rev ) ; assetFile = new AssetFile ( this , file . getName ( ) , rev ) ; versionControl . clearId ( assetFile ) ; } assetFile . setId ( versionControl . getId ( assetFile . getLogicalFile ( ) ) ) ; assetFiles . put ( assetFile . getLogicalFile ( ) , assetFile ) ; return assetFile ; }
Called during initial load the file param is a standard file .
13,881
private void storeAttribute ( Attr attribute ) { if ( attribute . getNamespaceURI ( ) != null && attribute . getNamespaceURI ( ) . equals ( XMLConstants . XMLNS_ATTRIBUTE_NS_URI ) ) { if ( attribute . getNodeName ( ) . equals ( XMLConstants . XMLNS_ATTRIBUTE ) ) { putInCache ( DEFAULT_NS , attribute . getNodeValue ( ) ) ; } else { putInCache ( attribute . getLocalName ( ) , attribute . getNodeValue ( ) ) ; } } }
This method looks at an attribute and stores it if it is a namespace attribute .
13,882
public String getNamespaceURI ( String prefix ) { if ( prefix == null || prefix . equals ( XMLConstants . DEFAULT_NS_PREFIX ) ) { return prefix2Uri . get ( DEFAULT_NS ) ; } else { return prefix2Uri . get ( prefix ) ; } }
This method is called by XPath . It returns the default namespace if the prefix is null or .
13,883
public Object getObject ( String type , Package pkg ) { if ( type == null || type . equals ( documentType ) ) { if ( object == null && content != null ) { object = VariableTranslator . realToObject ( pkg , documentType , content ) ; } } else { if ( content != null ) { documentType = type ; object = VariableTranslator . realToObject ( pkg , documentType , content ) ; } else if ( object != null ) { content = VariableTranslator . realToString ( pkg , documentType , object ) ; documentType = type ; object = VariableTranslator . realToObject ( pkg , documentType , content ) ; } } return object ; }
content in object format
13,884
public boolean isGroupMapped ( String pGroupName ) { List < String > userGroups = this . getUserGroups ( ) ; for ( String g : userGroups ) { if ( g . equals ( pGroupName ) ) return true ; } return false ; }
Checked if the passed in GroupIName is mapped to the task
13,885
public boolean isVariableMapped ( String pVarName ) { if ( variables == null ) { return false ; } for ( Variable vo : variables ) { if ( vo . getName ( ) . equals ( pVarName ) ) { return true ; } } return false ; }
Checked if the passed in Var Name is mapped to the task
13,886
protected SOAPMessage createSoapRequest ( Object requestObj ) throws ActivityException { try { MessageFactory messageFactory = getSoapMessageFactory ( ) ; SOAPMessage soapMessage = messageFactory . createMessage ( ) ; Map < Name , String > soapReqHeaders = getSoapRequestHeaders ( ) ; if ( soapReqHeaders != null ) { SOAPHeader header = soapMessage . getSOAPHeader ( ) ; for ( Name name : soapReqHeaders . keySet ( ) ) { header . addHeaderElement ( name ) . setTextContent ( soapReqHeaders . get ( name ) ) ; } } SOAPBody soapBody = soapMessage . getSOAPBody ( ) ; Document requestDoc = null ; if ( requestObj instanceof String ) { requestDoc = DomHelper . toDomDocument ( ( String ) requestObj ) ; soapBody . addDocument ( requestDoc ) ; } else { Variable reqVar = getProcessDefinition ( ) . getVariable ( getAttributeValue ( REQUEST_VARIABLE ) ) ; XmlDocumentTranslator docRefTrans = ( XmlDocumentTranslator ) VariableTranslator . getTranslator ( getPackage ( ) , reqVar . getType ( ) ) ; requestDoc = docRefTrans . toDomDocument ( requestObj ) ; Document copiedDocument = DomHelper . copyDomDocument ( requestDoc ) ; soapBody . addDocument ( copiedDocument ) ; } return soapMessage ; } catch ( Exception ex ) { throw new ActivityException ( ex . getMessage ( ) , ex ) ; } }
Create the SOAP request object based on the document variable value .
13,887
public void removeAttribute ( String name ) { if ( getAttributes ( ) != null ) { List < Attribute > toRemove = new ArrayList < Attribute > ( ) ; for ( Attribute attr : getAttributes ( ) ) { if ( attr . getAttributeName ( ) . equals ( name ) ) toRemove . add ( attr ) ; } for ( Attribute attr : toRemove ) getAttributes ( ) . remove ( attr ) ; } }
Takes care of multiples .
13,888
public static int parseVersionSpec ( String versionString ) throws NumberFormatException { if ( versionString == null ) return 0 ; int dot = versionString . indexOf ( '.' ) ; int major , minor ; if ( dot > 0 ) { major = Integer . parseInt ( versionString . substring ( 0 , dot ) ) ; minor = Integer . parseInt ( versionString . substring ( dot + 1 ) ) ; } else { major = Integer . parseInt ( versionString ) ; minor = 0 ; } return major * 1000 + minor ; }
single digit without decimal means a major version not minor
13,889
public static String getFormat ( String fileName ) { int lastDot = fileName . lastIndexOf ( '.' ) ; if ( lastDot == - 1 ) return null ; return getLanguage ( fileName . substring ( lastDot ) ) ; }
Takes into account special rules due to multiple languages per extension .
13,890
public VariableTranslator getDynamicVariableTranslator ( String className , ClassLoader parentLoader ) { try { Class < ? > clazz = CompiledJavaCache . getClassFromAssetName ( parentLoader , className ) ; if ( clazz != null ) return ( VariableTranslator ) ( clazz ) . newInstance ( ) ; } catch ( Exception ex ) { logger . trace ( "Dynamic VariableTranslatorProvider not found: " + className ) ; } return null ; }
To get dynamic java variable translator
13,891
public void onShutdown ( ) { if ( instance == null ) return ; try { this . camelContext . stop ( ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } }
Method can be invoked when the server shuts down
13,892
public static String evaluate ( XmlObject xmlbean , String path ) { XmlCursor cursor = xmlbean . newCursor ( ) ; String value ; try { XmlPath matcher = new XmlPath ( path ) ; value = matcher . evaluate_segment ( cursor , matcher . path_seg ) ; } catch ( XmlException e ) { value = null ; } cursor . dispose ( ) ; return value ; }
Using XPath or XQuery . NOTE!!!! To use this code need to include xbean_xpath . jar saxon9 . jar saxon9 - dom . jar in CLASSPATH in startWebLogic . cmd
13,893
protected void parseGroupMap ( Map < String , Object > groupMap , Map < String , String > resultMap , String prefix ) { Object obj ; for ( String groupKey : groupMap . keySet ( ) ) { obj = groupMap . get ( groupKey ) ; String key = prefix == null ? groupKey : prefix + "." + groupKey ; if ( obj instanceof Map ) parseGroupMap ( loader . getMap ( groupKey , groupMap ) , resultMap , key ) ; else resultMap . put ( key , decryptValue ( obj . toString ( ) ) ) ; } }
Flattens the group map
13,894
protected Integer notifyProcesses ( String eventName , Long eventInstId , String message , int delay ) { Integer status ; try { EventServices eventManager = ServiceLocator . getEventServices ( ) ; status = eventManager . notifyProcess ( eventName , eventInstId , message , delay ) ; } catch ( Exception e ) { logger . severeException ( e . getMessage ( ) , e ) ; status = EventInstance . RESUME_STATUS_FAILURE ; } return status ; }
This method is used to wake up existing process instances .
13,895
protected DocumentReference createDocument ( String docType , Object document , String ownerType , Long ownerId , Long processInstanceId , String searchKey1 , String searchKey2 ) throws EventHandlerException { ListenerHelper helper = new ListenerHelper ( ) ; return helper . createDocument ( docType , document , getPackage ( ) , ownerType , ownerId ) ; }
This method is used to create a document from external messages . The document reference returned can be sent as parameters to start or inform processes .
13,896
protected Object getRequestData ( ) throws ActivityException { String varname = getAttributeValue ( REQUEST_VARIABLE ) ; Object request = varname == null ? null : getParameterValue ( varname ) ; if ( ! StringHelper . isEmpty ( getPreScript ( ) ) ) { Object returnVal = executePreScript ( request ) ; if ( returnVal == null ) { request = getParameterValue ( varname ) ; } else { request = returnVal ; } } return request ; }
Override this method if need to translate data from variable or need to get data elsewhere . The default method assumes the data is in the variable REQUEST_VARIABLE
13,897
protected Response getStubbedResponse ( Object requestObject ) { String resp = getStubResponse ( externalRequestToString ( requestObject ) ) ; if ( resp != null ) { Response oldStubbed = new Response ( ) ; oldStubbed . setObject ( resp ) ; oldStubbed . setContent ( externalResponseToString ( resp ) ) ; return oldStubbed ; } List < SimulationResponse > responses = new ArrayList < > ( ) ; for ( Attribute attr : this . getAttributes ( ) ) { if ( attr . getAttributeName ( ) . startsWith ( WorkAttributeConstant . SIMULATION_RESPONSE ) ) { SimulationResponse r = new SimulationResponse ( attr . getAttributeValue ( ) ) ; responses . add ( r ) ; } } String unfilteredResponse = null ; String returnCode = null ; if ( responses . size ( ) == 0 ) { unfilteredResponse = null ; } else if ( responses . size ( ) == 1 ) { unfilteredResponse = responses . get ( 0 ) . getResponse ( ) ; returnCode = responses . get ( 0 ) . getReturnCode ( ) ; } else { int total_chances = 0 ; for ( SimulationResponse r : responses ) { total_chances += r . getChance ( ) . intValue ( ) ; } if ( random == null ) random = new Random ( ) ; int ran = random . nextInt ( total_chances ) ; int k = 0 ; for ( SimulationResponse r : responses ) { if ( ran >= k && ran < k + r . getChance ( ) . intValue ( ) ) { unfilteredResponse = r . getResponse ( ) ; break ; } k += r . getChance ( ) . intValue ( ) ; } } Response response = new Response ( ) ; String filtered = filter ( unfilteredResponse , requestObject ) ; response . setObject ( filtered ) ; response . setContent ( filtered ) ; if ( returnCode != null ) { try { response . setStatusCode ( Integer . parseInt ( returnCode ) ) ; } catch ( NumberFormatException ex ) { } } return response ; }
Return stubbed response from external system .
13,898
protected Map < String , Object > getPreScriptBindings ( Object request ) throws ActivityException { Map < String , Object > binding = new HashMap < String , Object > ( ) ; String requestVar = this . getAttributeValue ( REQUEST_VARIABLE ) ; if ( requestVar != null && request instanceof String ) { binding . put ( "request" , getVariableValue ( requestVar ) ) ; } else { binding . put ( "request" , request ) ; } return binding ; }
Extra bindings for pre - script beyond process variable values .
13,899
protected Map < String , Object > getPostScriptBindings ( Object response ) throws ActivityException { Map < String , Object > binding = new HashMap < String , Object > ( ) ; String varname = this . getAttributeValue ( RESPONSE_VARIABLE ) ; if ( varname != null && response instanceof String ) { binding . put ( "response" , getVariableValue ( varname ) ) ; } else { binding . put ( "response" , response ) ; } return binding ; }
Extra bindings for post - script beyond process variable values .