idx
int64
0
165k
question
stringlengths
73
5.81k
target
stringlengths
5
918
13,900
private void preloadDynamicCaches ( ) { List < CacheService > dynamicCacheServices = CacheRegistry . getInstance ( ) . getDynamicCacheServices ( ) ; for ( CacheService dynamicCacheService : dynamicCacheServices ) { if ( dynamicCacheService instanceof PreloadableCache ) { try { PreloadableCache preloadableCache = ( PreloadableCache ) dynamicCacheService ; RegisteredService regServ = preloadableCache . getClass ( ) . getAnnotation ( RegisteredService . class ) ; Map < String , String > params = new HashMap < > ( ) ; Parameter [ ] parameters = regServ . parameters ( ) ; if ( parameters != null ) { for ( Parameter parameter : parameters ) { if ( parameter . name ( ) . length ( ) > 0 ) params . put ( parameter . name ( ) , parameter . value ( ) ) ; } } preloadableCache . initialize ( params ) ; preloadableCache . loadCache ( ) ; } catch ( Exception ex ) { logger . severeException ( "Failed to preload " + dynamicCacheService . getClass ( ) , ex ) ; } } synchronized ( allCaches ) { allCaches . put ( dynamicCacheService . getClass ( ) . getName ( ) , dynamicCacheService ) ; } } }
Load caches registered as dynamic java services .
13,901
public void onShutdown ( ) { CacheRegistry . getInstance ( ) . clearDynamicServices ( ) ; synchronized ( allCaches ) { for ( String cacheName : allCaches . keySet ( ) ) { CacheService cachingObj = allCaches . get ( cacheName ) ; cachingObj . clearCache ( ) ; } } }
Method that gets invoked when the server shuts down
13,902
public void refreshCache ( String cacheName , List < String > excludedFormats ) { CacheService cache = allCaches . get ( cacheName ) ; if ( cache != null ) { if ( excludedFormats != null && cache instanceof ExcludableCache && excludedFormats . contains ( ( ( ExcludableCache ) cache ) . getFormat ( ) ) ) { logger . debug ( " - omitting cache " + cacheName ) ; } else { logger . info ( " - refresh cache " + cacheName ) ; try { cache . refreshCache ( ) ; } catch ( Exception e ) { logger . severeException ( "failed to refresh cache" , e ) ; } } } }
Refreshes a particular cache by name .
13,903
public static String getActivityImplementor ( String className ) throws IOException { if ( getActivityImplementors ( ) != null ) { String newImpl = getActivityImplementors ( ) . get ( className ) ; if ( newImpl != null ) return newImpl ; } return className ; }
If the className argument needs to be mapped to a new implementor class returns the new class name ; otherwise returns the unmodified argument .
13,904
public static String getEventHandler ( String className ) throws IOException { if ( getEventHandlers ( ) != null ) { String newHandler = getEventHandlers ( ) . get ( className ) ; if ( newHandler != null ) return newHandler ; } return className ; }
If the className argument needs to be mapped to a new event handler class returns the new class name ; otherwise returns the unmodified argument .
13,905
public static String getVariableTranslator ( String className ) throws IOException { if ( getVariableTranslators ( ) != null ) { String newTranslator = getVariableTranslators ( ) . get ( className ) ; if ( newTranslator != null ) return newTranslator ; } return className ; }
If the className argument needs to be mapped to a new variable translator class returns the new class name ; otherwise returns the unmodified argument .
13,906
public static String getVariableType ( String type ) throws IOException { if ( getVariableTypes ( ) != null ) { String newType = getVariableTypes ( ) . get ( type ) ; if ( newType != null ) return newType ; } return type ; }
If the type argument needs to be mapped to a new variable type class returns the new class name ; otherwise returns the unmodified argument .
13,907
protected RoutesDefinition getRoutesDefinition ( String name , String version ) throws AdapterException { String modifier = "" ; Map < String , String > params = getHandlerParameters ( ) ; if ( params != null ) { for ( String paramName : params . keySet ( ) ) { if ( modifier . length ( ) == 0 ) modifier += "?" ; else modifier += "&amp;" ; modifier += paramName + "=" + params . get ( paramName ) ; } } Map < String , String > customAttrs = null ; String customAttrString = getAttributeValue ( CUSTOM_ATTRIBUTES ) ; if ( ! StringHelper . isEmpty ( customAttrString ) ) { customAttrs = StringHelper . parseMap ( customAttrString ) ; } RoutesDefinitionRuleSet rdrs ; if ( version == null ) rdrs = CamelRouteCache . getRoutesDefinitionRuleSet ( name , modifier , customAttrs ) ; else rdrs = CamelRouteCache . getRoutesDefinitionRuleSet ( new AssetVersionSpec ( name , version ) , modifier , customAttrs ) ; if ( rdrs == null ) { throw new AdapterException ( "Unable to load Camel route: " + name + modifier ) ; } else { super . logdebug ( "Using RoutesDefinition: " + rdrs . getRuleSet ( ) . getLabel ( ) ) ; return rdrs . getRoutesDefinition ( ) ; } }
Returns the latest version whose attributes match the custom attribute criteria specified via CustomAttributes . Override to apply additional or non - standard conditions .
13,908
ProcessInstance createProcessInstance ( Long processId , String ownerType , Long ownerId , String secondaryOwnerType , Long secondaryOwnerId , String masterRequestId , Map < String , String > parameters , String label , String template ) throws ProcessException , DataAccessException { ProcessInstance pi = null ; try { Process processVO ; if ( OwnerType . MAIN_PROCESS_INSTANCE . equals ( ownerType ) ) { ProcessInstance parentPi = getDataAccess ( ) . getProcessInstance ( ownerId ) ; Process parentProcdef = ProcessCache . getProcess ( parentPi . getProcessId ( ) ) ; processVO = parentProcdef . getSubProcessVO ( processId ) ; pi = new ProcessInstance ( parentPi . getProcessId ( ) , processVO . getName ( ) ) ; String comment = processId . toString ( ) ; if ( parentPi . getProcessInstDefId ( ) > 0L ) comment += "|HasInstanceDef|" + parentPi . getProcessInstDefId ( ) ; pi . setComment ( comment ) ; } else { if ( uniqueMasterRequestId && ! ( OwnerType . PROCESS_INSTANCE . equals ( ownerType ) || OwnerType . ERROR . equals ( ownerType ) ) ) { List < ProcessInstance > list = edao . getProcessInstancesByMasterRequestId ( masterRequestId ) ; if ( list != null && list . size ( ) > 0 ) { String msg = "Could not launch process instance for " + ( label != null ? label : template ) + " because Master Request ID " + masterRequestId + " is not unique" ; logger . error ( msg ) ; throw new ProcessException ( msg ) ; } } processVO = ProcessCache . getProcess ( processId ) ; pi = new ProcessInstance ( processId , processVO . getName ( ) ) ; } pi . setOwner ( ownerType ) ; pi . setOwnerId ( ownerId ) ; pi . setSecondaryOwner ( secondaryOwnerType ) ; pi . setSecondaryOwnerId ( secondaryOwnerId ) ; pi . setMasterRequestId ( masterRequestId ) ; pi . setStatusCode ( WorkStatus . STATUS_PENDING_PROCESS ) ; if ( label != null ) pi . setComment ( label ) ; if ( template != null ) pi . setTemplate ( template ) ; edao . createProcessInstance ( pi ) ; createVariableInstancesFromEventMessage ( pi , parameters ) ; } catch ( SQLException e ) { if ( pi != null && pi . getId ( ) != null && pi . getId ( ) > 0L ) try { edao . setProcessInstanceStatus ( pi . getId ( ) , WorkStatus . STATUS_FAILED ) ; } catch ( SQLException ex ) { logger . severeException ( "Exception while updating process status to 'Failed'" , ex ) ; } throw new DataAccessException ( - 1 , e . getMessage ( ) , e ) ; } return pi ; }
Create a process instance . The status is PENDING_PROCESS
13,909
void createTransitionInstances ( ProcessInstance processInstanceVO , List < Transition > transitions , Long fromActInstId ) throws ProcessException , DataAccessException { TransitionInstance transInst ; for ( Transition transition : transitions ) { try { if ( tooManyMaxTransitionInstances ( transition , processInstanceVO . getId ( ) ) ) { handleWorkTransitionError ( processInstanceVO , transition . getId ( ) , fromActInstId ) ; } else { transInst = createTransitionInstance ( transition , processInstanceVO . getId ( ) ) ; String tag = logtag ( processInstanceVO . getProcessId ( ) , processInstanceVO . getId ( ) , transInst ) ; logger . info ( tag , "Transition initiated from " + transition . getFromId ( ) + " to " + transition . getToId ( ) ) ; InternalEvent jmsmsg ; int delay = 0 ; jmsmsg = InternalEvent . createActivityStartMessage ( transition . getToId ( ) , processInstanceVO . getId ( ) , transInst . getTransitionInstanceID ( ) , processInstanceVO . getMasterRequestId ( ) , transition . getLabel ( ) ) ; delay = transition . getTransitionDelay ( ) ; String msgid = ScheduledEvent . INTERNAL_EVENT_PREFIX + processInstanceVO . getId ( ) + "start" + transition . getToId ( ) + "by" + transInst . getTransitionInstanceID ( ) ; if ( delay > 0 ) this . sendDelayedInternalEvent ( jmsmsg , delay , msgid , false ) ; else sendInternalEvent ( jmsmsg ) ; } } catch ( SQLException ex ) { throw new ProcessException ( - 1 , ex . getMessage ( ) , ex ) ; } catch ( MdwException ex ) { throw new ProcessException ( - 1 , ex . getMessage ( ) , ex ) ; } } }
Handles the work Transitions for the passed in collection of Items
13,910
void startProcessInstance ( ProcessInstance processInstanceVO , int delay ) throws ProcessException { try { Process process = getProcessDefinition ( processInstanceVO ) ; edao . setProcessInstanceStatus ( processInstanceVO . getId ( ) , WorkStatus . STATUS_PENDING_PROCESS ) ; if ( logger . isInfoEnabled ( ) ) { logger . info ( logtag ( processInstanceVO . getProcessId ( ) , processInstanceVO . getId ( ) , processInstanceVO . getMasterRequestId ( ) ) , WorkStatus . LOGMSG_PROC_START + " - " + process . getQualifiedName ( ) + ( processInstanceVO . isEmbedded ( ) ? ( " (embedded process " + process . getId ( ) + ")" ) : ( "/" + process . getVersionString ( ) ) ) ) ; } notifyMonitors ( processInstanceVO , WorkStatus . LOGMSG_PROC_START ) ; Long startActivityId ; if ( processInstanceVO . isEmbedded ( ) ) { edao . setProcessInstanceStatus ( processInstanceVO . getId ( ) , WorkStatus . STATUS_PENDING_PROCESS ) ; startActivityId = process . getStartActivity ( ) . getId ( ) ; } else { Activity startActivity = process . getStartActivity ( ) ; if ( startActivity == null ) { throw new ProcessException ( "Transition has not been defined for START event! ProcessID = " + process . getId ( ) ) ; } startActivityId = startActivity . getId ( ) ; } InternalEvent event = InternalEvent . createActivityStartMessage ( startActivityId , processInstanceVO . getId ( ) , null , processInstanceVO . getMasterRequestId ( ) , EventType . EVENTNAME_START + ":" ) ; if ( delay > 0 ) { String msgid = ScheduledEvent . INTERNAL_EVENT_PREFIX + processInstanceVO . getId ( ) + "start" + startActivityId ; this . sendDelayedInternalEvent ( event , delay , msgid , false ) ; } else sendInternalEvent ( event ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; throw new ProcessException ( ex . getMessage ( ) ) ; } }
Starting a process instance which has been created already . The method sets the status to In Progress find the start activity and sends an internal message to start the activity
13,911
void failActivityInstance ( InternalEvent event , ProcessInstance processInst , Long activityId , Long activityInstId , BaseActivity activity , Throwable cause ) throws DataAccessException , MdwException , SQLException { String tag = logtag ( processInst . getProcessId ( ) , processInst . getId ( ) , activityId , activityInstId ) ; logger . severeException ( "Failed to execute activity - " + cause . getClass ( ) . getName ( ) , cause ) ; String compCode = null ; String statusMsg = buildStatusMessage ( cause ) ; try { ActivityInstance actInstVO = null ; if ( activity != null && activityInstId != null ) { activity . setReturnMessage ( statusMsg ) ; actInstVO = edao . getActivityInstance ( activityInstId ) ; failActivityInstance ( actInstVO , statusMsg , processInst , tag , cause . getClass ( ) . getName ( ) ) ; compCode = activity . getReturnCode ( ) ; } if ( ! AdapterActivity . COMPCODE_AUTO_RETRY . equals ( compCode ) ) { DocumentReference docRef = createActivityExceptionDocument ( processInst , actInstVO , activity , cause ) ; InternalEvent outgoingMsg = InternalEvent . createActivityErrorMessage ( activityId , activityInstId , processInst . getId ( ) , compCode , event . getMasterRequestId ( ) , statusMsg . length ( ) > 2000 ? statusMsg . substring ( 0 , 1999 ) : statusMsg , docRef . getDocumentId ( ) ) ; sendInternalEvent ( outgoingMsg ) ; } } catch ( Exception ex ) { logger . severeException ( "Exception thrown during failActivityInstance" , ex ) ; throw ex ; } }
Reports the error status of the activity instance to the activity manager
13,912
private Transition findTaskActionWorkTransition ( ProcessInstance parentInstance , ActivityInstance activityInstance , String taskAction ) { if ( taskAction == null ) return null ; Process processVO = getProcessDefinition ( parentInstance ) ; Transition workTransVO = processVO . getTransition ( activityInstance . getActivityId ( ) , EventType . RESUME , taskAction ) ; if ( workTransVO == null ) { workTransVO = processVO . getTransition ( activityInstance . getActivityId ( ) , EventType . RESUME , taskAction . toUpperCase ( ) ) ; } if ( workTransVO == null ) { workTransVO = processVO . getTransition ( activityInstance . getActivityId ( ) , EventType . FINISH , taskAction ) ; } return workTransVO ; }
Look up the appropriate work transition for an embedded exception handling subprocess .
13,913
private void cancelProcessInstanceTree ( ProcessInstance pi ) throws Exception { if ( pi . getStatusCode ( ) . equals ( WorkStatus . STATUS_COMPLETED ) || pi . getStatusCode ( ) . equals ( WorkStatus . STATUS_CANCELLED ) ) { throw new ProcessException ( "ProcessInstance is not in a cancellable state" ) ; } List < ProcessInstance > childInstances = edao . getChildProcessInstances ( pi . getId ( ) ) ; for ( ProcessInstance child : childInstances ) { if ( ! child . getStatusCode ( ) . equals ( WorkStatus . STATUS_COMPLETED ) && ! child . getStatusCode ( ) . equals ( WorkStatus . STATUS_CANCELLED ) ) { this . cancelProcessInstanceTree ( child ) ; } else { logger . info ( "Descendent ProcessInstance in not in a cancellable state. ProcessInstanceId=" + child . getId ( ) ) ; } } this . cancelProcessInstance ( pi ) ; }
Cancels the process instance as well as all descendant process instances . Deregisters associated event wait instances .
13,914
private void cancelProcessInstance ( ProcessInstance pProcessInst ) throws Exception { edao . cancelTransitionInstances ( pProcessInst . getId ( ) , "ProcessInstance has been cancelled." , null ) ; edao . setProcessInstanceStatus ( pProcessInst . getId ( ) , WorkStatus . STATUS_CANCELLED ) ; edao . removeEventWaitForProcessInstance ( pProcessInst . getId ( ) ) ; this . cancelTasksOfProcessInstance ( pProcessInst ) ; }
Cancels a single process instance . It cancels all active transition instances all event wait instances and sets the process instance into canceled status .
13,915
private void resumeActivityInstance ( ActivityInstance actInst , String pCompletionCode , Long documentId , String message , int delay ) throws MdwException , SQLException { ProcessInstance pi = edao . getProcessInstance ( actInst . getProcessInstanceId ( ) ) ; if ( ! this . isProcessInstanceResumable ( pi ) ) { logger . info ( "ProcessInstance in NOT resumable. ProcessInstanceId:" + pi . getId ( ) ) ; } InternalEvent outgoingMsg = InternalEvent . createActivityNotifyMessage ( actInst , EventType . RESUME , pi . getMasterRequestId ( ) , pCompletionCode ) ; if ( documentId != null ) { outgoingMsg . setSecondaryOwnerType ( OwnerType . DOCUMENT ) ; outgoingMsg . setSecondaryOwnerId ( documentId ) ; } if ( message != null && message . length ( ) < 2500 ) { outgoingMsg . addParameter ( "ExternalEventMessage" , message ) ; } if ( this . isProcessInstanceProgressable ( pi ) ) { edao . setProcessInstanceStatus ( pi . getId ( ) , WorkStatus . STATUS_IN_PROGRESS ) ; } if ( delay > 0 ) { this . sendDelayedInternalEvent ( outgoingMsg , delay , ScheduledEvent . INTERNAL_EVENT_PREFIX + actInst . getId ( ) , false ) ; } else { this . sendInternalEvent ( outgoingMsg ) ; } }
Sends a RESUME internal event to resume the activity instance .
13,916
protected VelocityContext createVelocityContext ( ) throws ActivityException { try { VelocityContext context = null ; String toolboxFile = getAttributeValueSmart ( VELOCITY_TOOLBOX_FILE ) ; if ( toolboxFile != null && FileHelper . fileExistsOnClasspath ( toolboxFile ) ) { throw new ActivityException ( "TODO: Velocity Toolbox Support" ) ; } else { context = new VelocityContext ( ) ; } Process processVO = getMainProcessDefinition ( ) ; List < Variable > varVOs = processVO . getVariables ( ) ; for ( Variable variableVO : varVOs ) { String variableName = variableVO . getName ( ) ; Object variableValue = getVariableValue ( variableName ) ; context . put ( variableName , variableValue ) ; } return context ; } catch ( Exception ex ) { throw new ActivityException ( - 1 , ex . getMessage ( ) , ex ) ; } }
Creates the velocity context adding process variables as parameters .
13,917
protected Map < String , Object > getAdditionalScriptBindings ( ) { Map < String , Object > addlBindings = new HashMap < String , Object > ( 1 ) ; addlBindings . put ( VELOCITY_OUTPUT , velocityOutput ) ; return addlBindings ; }
Gets additional bindings for script execution adding the velocity output string as a special bind value .
13,918
public String handleEventMessage ( String message , Object messageObj , Map < String , String > metaInfo ) throws EventHandlerException { return null ; }
This is for non - Camel style event handlers . It is not used here . Overriding has no effect in the context of a Camel route .
13,919
public void scheduleInternalEvent ( String name , Date time , String message , String reference ) { schedule ( name , time , message , reference ) ; }
Schedule a timer task or a delayed event
13,920
@ Path ( "/{dataType}" ) public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { String dataType = getSegment ( path , 1 ) ; if ( dataType == null ) throw new ServiceException ( "Missing path segment: {dataType}" ) ; try { BaselineData baselineData = DataAccess . getBaselineData ( ) ; if ( dataType . equals ( "VariableTypes" ) ) { List < VariableType > variableTypes = baselineData . getVariableTypes ( ) ; JSONArray jsonArray = new JSONArray ( ) ; for ( VariableType variableType : variableTypes ) jsonArray . put ( variableType . getJson ( ) ) ; return new JsonArray ( jsonArray ) . getJson ( ) ; } else if ( dataType . equals ( "TaskCategories" ) ) { List < TaskCategory > taskCats = new ArrayList < TaskCategory > ( ) ; taskCats . addAll ( baselineData . getTaskCategories ( ) . values ( ) ) ; Collections . sort ( taskCats ) ; JSONArray jsonArray = new JSONArray ( ) ; for ( TaskCategory taskCat : taskCats ) jsonArray . put ( taskCat . getJson ( ) ) ; return new JsonArray ( jsonArray ) . getJson ( ) ; } else { throw new ServiceException ( "Unsupported dataType: " + dataType ) ; } } catch ( Exception ex ) { throw new ServiceException ( ex . getMessage ( ) , ex ) ; } }
Retrieve variableTypes or taskCategories .
13,921
private ProcessInstance getProcInstFromDB ( Long procInstId ) throws DataAccessException { TransactionWrapper transaction = null ; EngineDataAccessDB edao = new EngineDataAccessDB ( ) ; try { transaction = edao . startTransaction ( ) ; return edao . getProcessInstance ( procInstId ) ; } catch ( SQLException e ) { logger . severe ( "InvokeSubProcessActivity -> Failed to load process instance for " + procInstId ) ; return null ; } finally { edao . stopTransaction ( transaction ) ; } }
Method to get the Process Instance from the database
13,922
public List < String > getRecipients ( String workgroupsAttr , String expressionAttr ) throws DataAccessException , ParseException { List < String > recipients = new ArrayList < > ( ) ; if ( workgroupsAttr != null ) { String workgroups = context . getAttribute ( workgroupsAttr ) ; if ( workgroups != null && ! workgroups . isEmpty ( ) ) { for ( String groupEmail : getGroupEmails ( StringHelper . parseList ( workgroups ) ) ) { if ( ! recipients . contains ( groupEmail ) ) recipients . add ( groupEmail ) ; } } } if ( expressionAttr != null ) { String expression = context . getAttribute ( expressionAttr ) ; if ( expression != null && ! expression . isEmpty ( ) ) { List < String > expressionEmails ; if ( expression . indexOf ( "${" ) >= 0 ) expressionEmails = getRecipientsFromExpression ( expression ) ; else expressionEmails = Arrays . asList ( expression . split ( "," ) ) ; for ( String expressionEmail : expressionEmails ) { if ( ! recipients . contains ( expressionEmail ) ) recipients . add ( expressionEmail ) ; } } } return recipients ; }
Default behavior returns the UNION of addresses specified via the expression attribute along with those specified by the designated workgroups attribute .
13,923
@ SuppressWarnings ( "unused" ) private void printServerInfo ( ) { Context ctx ; try { ctx = new InitialContext ( ) ; MBeanServer server = ( MBeanServer ) ctx . lookup ( "java:comp/env/jmx/runtime" ) ; ObjectName service = new ObjectName ( "com.bea:Name=RuntimeService," + "Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean" ) ; ObjectName domainMBean = ( ObjectName ) server . getAttribute ( service , "DomainConfiguration" ) ; ObjectName [ ] servers = ( ObjectName [ ] ) server . getAttribute ( domainMBean , "Servers" ) ; for ( ObjectName one : servers ) { String name = ( String ) server . getAttribute ( one , "Name" ) ; String address = ( String ) server . getAttribute ( one , "ListenAddress" ) ; Integer port = ( Integer ) server . getAttribute ( one , "ListenPort" ) ; System . out . println ( "SERVER: " + name + " on " + address + ":" + port ) ; ObjectName machine = ( ObjectName ) server . getAttribute ( one , "Machine" ) ; ObjectName nodeManager = ( ObjectName ) server . getAttribute ( machine , "NodeManager" ) ; address = ( String ) server . getAttribute ( machine , "ListenAddress" ) ; System . out . println ( " - hostname: " + address ) ; } if ( ctx != null ) return ; } catch ( Exception ex ) { ex . printStackTrace ( ) ; } }
tried to access machine but that need WLS admin credential so have not tried further
13,924
public List < Metric > getAverages ( int span ) { Map < String , Metric > accum = new LinkedHashMap < > ( ) ; int count = span / period ; if ( count > dataList . size ( ) ) count = dataList . size ( ) ; for ( int i = dataList . size ( ) - count ; i < dataList . size ( ) ; i ++ ) { MetricData metricData = dataList . get ( i ) ; for ( Metric metric : metricData . getMetrics ( ) ) { Metric total = accum . get ( metric . getName ( ) ) ; if ( total == null ) { total = new Metric ( metric . getId ( ) , metric . getName ( ) , metric . getValue ( ) ) ; accum . put ( metric . getName ( ) , total ) ; } else { total . setValue ( total . getValue ( ) + metric . getValue ( ) ) ; } } } for ( Metric metric : accum . values ( ) ) { metric . setValue ( Math . round ( ( double ) metric . getValue ( ) / count ) ) ; } return new ArrayList < > ( accum . values ( ) ) ; }
Accumulated averages .
13,925
public List < MetricData > getData ( int span ) { int count = span / period ; if ( dataList . size ( ) < count ) { if ( dataList . isEmpty ( ) ) { return dataList ; } else { List < MetricData > padded = new ArrayList < > ( dataList ) ; MetricData first = dataList . get ( 0 ) ; List < Metric > pads = new ArrayList < > ( ) ; for ( Metric metric : first . getMetrics ( ) ) { pads . add ( new Metric ( metric . getId ( ) , metric . getName ( ) , 0 ) ) ; } LocalDateTime time = first . getTime ( ) ; while ( padded . size ( ) < count ) { time = time . minusSeconds ( period ) ; padded . add ( 0 , new MetricData ( time , pads ) ) ; } return padded ; } } else { return dataList . subList ( dataList . size ( ) - count , dataList . size ( ) - 1 ) ; } }
Returns a left - padded list .
13,926
public static String encrypt ( String input ) { try { return encrypt ( input , null ) ; } catch ( GeneralSecurityException e ) { e . printStackTrace ( ) ; return null ; } }
Encrypt a string using a default key
13,927
public static String encrypt ( String input , String strkey ) throws GeneralSecurityException { SecretKey key ; if ( strkey != null ) { if ( strkey . length ( ) > 56 ) strkey = strkey . substring ( 0 , 55 ) ; key = new SecretKeySpec ( strkey . getBytes ( ) , algorithm ) ; } else { if ( defaultKey == null ) defaultKey = new SecretKeySpec ( defaultKeyString . getBytes ( ) , algorithm ) ; key = defaultKey ; } Cipher cipher = Cipher . getInstance ( algorithm ) ; cipher . init ( Cipher . ENCRYPT_MODE , key ) ; byte [ ] inputBytes = input . getBytes ( ) ; byte [ ] encrypted = cipher . doFinal ( inputBytes ) ; return encodeAlpha ( encrypted ) ; }
Encrypt a string
13,928
public static String decrypt ( String encrypted ) { try { return decrypt ( encrypted , null ) ; } catch ( GeneralSecurityException e ) { e . printStackTrace ( ) ; return null ; } }
Decrypt a string using the default key
13,929
public File getHubOverride ( String path ) throws IOException { if ( getOverrideRoot ( ) != null ) { File hubOverride = new File ( getOverrideRoot ( ) + path ) ; if ( hubOverride . isFile ( ) ) return hubOverride ; } if ( getDevOverrideRoot ( ) != null && isDev ( ) ) { File devOverride = new File ( getDevOverrideRoot ( ) + path ) ; if ( devOverride . isFile ( ) ) return devOverride ; } return null ; }
Finds overridden hub artifacts among assets . Core dev override is also supported for vanilla hub development .
13,930
protected String getRequestData ( ) throws ActivityException { Object request = null ; String requestVarName = getAttributeValue ( REQUEST_VARIABLE ) ; if ( requestVarName == null ) throw new ActivityException ( "Missing attribute: " + REQUEST_VARIABLE ) ; String requestVarType = getParameterType ( requestVarName ) ; request = getParameterValue ( requestVarName ) ; if ( ! hasPreScript ( ) ) { if ( request == null ) throw new ActivityException ( "Request data is null: " + requestVarName ) ; if ( ! ( request instanceof DocumentReference ) ) throw new ActivityException ( "Request data must be a DocumentReference: " + requestVarName ) ; } try { Object requestObj = request == null ? null : getDocument ( ( DocumentReference ) request , requestVarType ) ; if ( hasPreScript ( ) ) { Object ret = executePreScript ( requestObj ) ; if ( ret == null ) { Object req = getParameterValue ( requestVarName ) ; if ( req == null ) throw new ActivityException ( "Request data is null: " + requestVarName ) ; requestObj = getDocument ( ( DocumentReference ) req , requestVarType ) ; } else { requestObj = ret ; setParameterValueAsDocument ( requestVarName , this . getProcessDefinition ( ) . getVariable ( requestVarName ) . getType ( ) , requestObj ) ; } } soapRequest = createSoapRequest ( requestObj ) ; return DomHelper . toXml ( soapRequest . getSOAPPart ( ) . getDocumentElement ( ) ) ; } catch ( TransformerException ex ) { throw new ActivityException ( ex . getMessage ( ) , ex ) ; } }
Builds the request XML .
13,931
public void onSuccess ( String response ) throws ActivityException , ConnectionException , AdapterException { try { soapResponse = getSoapResponse ( response ) ; Node childElem = unwrapSoapResponse ( soapResponse ) ; String responseXml = DomHelper . toXml ( childElem ) ; String responseVarName = getAttributeValue ( RESPONSE_VARIABLE ) ; if ( responseVarName == null ) throw new AdapterException ( "Missing attribute: " + RESPONSE_VARIABLE ) ; String responseVarType = getParameterType ( responseVarName ) ; if ( ! VariableTranslator . isDocumentReferenceVariable ( getPackage ( ) , responseVarType ) ) throw new AdapterException ( "Response variable must be a DocumentReference: " + responseVarName ) ; if ( responseVarType . equals ( StringDocument . class . getName ( ) ) ) { setParameterValueAsDocument ( responseVarName , responseVarType , responseXml ) ; } else { com . centurylink . mdw . variable . VariableTranslator varTrans = VariableTranslator . getTranslator ( getPackage ( ) , responseVarType ) ; if ( ! ( varTrans instanceof XmlDocumentTranslator ) ) throw new AdapterException ( "Unsupported response variable type: " + responseVarType + " (must implement XmlDocumentTranslator)" ) ; XmlDocumentTranslator xmlDocTrans = ( XmlDocumentTranslator ) varTrans ; Object responseObj = xmlDocTrans . fromDomNode ( childElem ) ; setParameterValueAsDocument ( responseVarName , responseVarType , responseObj ) ; } } catch ( Exception ex ) { throw new ActivityException ( ex . getMessage ( ) , ex ) ; } }
Overriding this method affords the opportunity to parse the response and populate process variables as needed .
13,932
protected String getSoapAction ( ) { String soapAction = null ; try { soapAction = getAttributeValueSmart ( SOAP_ACTION ) ; } catch ( PropertyException ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } if ( soapAction == null ) { String soapVersion = getSoapVersion ( ) ; if ( soapVersion != null && soapVersion . equals ( SOAP_VERSION_11 ) ) soapAction = "" ; } return soapAction ; }
The SOAPAction HTTP request header value .
13,933
protected void processMessage ( String message ) throws ActivityException { try { String rcvdMsgDocVar = getAttributeValueSmart ( RECEIVED_MESSAGE_DOC_VAR ) ; if ( rcvdMsgDocVar != null && ! rcvdMsgDocVar . isEmpty ( ) ) { Process processVO = getProcessDefinition ( ) ; Variable variableVO = processVO . getVariable ( rcvdMsgDocVar ) ; if ( variableVO == null ) throw new ActivityException ( "Received Message Variable '" + rcvdMsgDocVar + "' is not defined or is not Document Type for process " + processVO . getFullLabel ( ) ) ; if ( message != null ) { this . setParameterValueAsDocument ( rcvdMsgDocVar , variableVO . getType ( ) , message ) ; } } return ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; return ; } }
You should override this method to process event messages .
13,934
protected void updateSLA ( int seconds ) throws ActivityException { try { ProcessExecutor engine = this . getEngine ( ) ; super . loginfo ( "Update activity timeout as " + seconds + " seconds" ) ; InternalEvent delayMsg = InternalEvent . createActivityDelayMessage ( this . getActivityInstance ( ) , this . getMasterRequestId ( ) ) ; String eventName = ScheduledEvent . INTERNAL_EVENT_PREFIX + this . getActivityInstanceId ( ) + "timeout" ; engine . sendDelayedInternalEvent ( delayMsg , seconds , eventName , true ) ; } catch ( Exception e ) { throw new ActivityException ( - 1 , "Failed to update SLA for activity instance" + this . getActivityInstanceId ( ) , e ) ; } }
Update SLA of this
13,935
@ Path ( "/{ownerType}/{ownerId}" ) @ ApiOperation ( value = "Retrieve values for an ownerType and ownerId" , notes = "Response is a generic JSON object with names/values." ) public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { Map < String , String > parameters = getParameters ( headers ) ; String ownerType = getSegment ( path , 1 ) ; if ( ownerType == null ) ownerType = parameters . get ( "ownerType" ) ; if ( ownerType == null ) throw new ServiceException ( "Missing path segment: {ownerType}" ) ; String ownerId = getSegment ( path , 2 ) ; if ( ownerId == null ) ownerId = parameters . get ( "ownerId" ) ; if ( ownerId == null ) throw new ServiceException ( "Missing path segment: {ownerId}" ) ; JSONObject valuesJson = new JsonObject ( ) ; Map < String , String > values = ServiceLocator . getWorkflowServices ( ) . getValues ( ownerType , ownerId ) ; if ( values != null ) { for ( String name : values . keySet ( ) ) valuesJson . put ( name , values . get ( name ) ) ; } return valuesJson ; }
Retrieve values .
13,936
@ Path ( "/{ownerType}/{ownerId}" ) @ ApiOperation ( value = "Create values for an ownerType and ownerId" , response = StatusMessage . class ) @ ApiImplicitParams ( { @ ApiImplicitParam ( name = "Values" , paramType = "body" ) } ) public JSONObject post ( String path , JSONObject content , Map < String , String > headers ) throws ServiceException , JSONException { return put ( path , content , headers ) ; }
Create values for owner type and id .
13,937
@ Path ( "/{ownerType}/{ownerId}" ) @ ApiOperation ( value = "Update values for an ownerType and ownerId" , response = StatusMessage . class ) @ ApiImplicitParams ( { @ ApiImplicitParam ( name = "Values" , paramType = "body" ) } ) public JSONObject put ( String path , JSONObject content , Map < String , String > headers ) throws ServiceException , JSONException { Map < String , String > parameters = getParameters ( headers ) ; String ownerType = getSegment ( path , 1 ) ; if ( ownerType == null ) ownerType = parameters . get ( "ownerType" ) ; if ( ownerType == null ) throw new ServiceException ( "Missing parameter: ownerType" ) ; String ownerId = getSegment ( path , 2 ) ; if ( ownerId == null ) ownerId = parameters . get ( "ownerId" ) ; if ( ownerId == null ) throw new ServiceException ( "Missing parameter: ownerId" ) ; String updateOnly = getSegment ( path , 3 ) ; if ( updateOnly == null ) updateOnly = parameters . get ( "updateOnly" ) ; if ( content == null ) throw new ServiceException ( "Missing JSON object: attributes" ) ; try { Map < String , String > values = new HashMap < String , String > ( ) ; String [ ] names = JSONObject . getNames ( content ) ; if ( names != null ) { for ( String name : names ) values . put ( name , content . getString ( name ) ) ; } WorkflowServices workflowServices = ServiceLocator . getWorkflowServices ( ) ; if ( updateOnly != null ) { workflowServices . updateValues ( ownerType , ownerId , values ) ; } else { workflowServices . setValues ( ownerType , ownerId , values ) ; } return null ; } catch ( JSONException ex ) { throw new ServiceException ( ex . getMessage ( ) , ex ) ; } }
Update values for owner type and id . Existing values are always overwritten .
13,938
@ Path ( "/{ownerType}/{ownerId}" ) @ ApiOperation ( value = "Delete values for an ownerType and ownerId" , response = StatusMessage . class ) public JSONObject delete ( String path , JSONObject content , Map < String , String > headers ) throws ServiceException , JSONException { JSONObject empty = new JsonObject ( ) ; return put ( path , empty , headers ) ; }
Delete values for owner type and id .
13,939
private void authorize ( HttpSession session , Action action , Entity entity , String location ) throws AuthorizationException , DataAccessException { AuthenticatedUser user = ( AuthenticatedUser ) session . getAttribute ( "authenticatedUser" ) ; if ( user == null && ApplicationContext . getServiceUser ( ) != null ) { String cuid = ApplicationContext . getServiceUser ( ) ; user = new AuthenticatedUser ( UserGroupCache . getUser ( cuid ) ) ; } if ( user == null ) throw new AuthorizationException ( AuthorizationException . NOT_AUTHORIZED , "Authentication failure" ) ; if ( action == Action . Create || action == Action . Delete ) { if ( ! user . hasRole ( Role . PROCESS_EXECUTION ) ) { throw new AuthorizationException ( AuthorizationException . FORBIDDEN , "User " + user . getCuid ( ) + " not authorized for " + action + " on " + location ) ; } logger . info ( "Asset mod request received from user: " + user . getCuid ( ) + " for: " + location ) ; UserAction userAction = new UserAction ( user . getCuid ( ) , action , entity , 0L , location ) ; userAction . setSource ( getClass ( ) . getSimpleName ( ) ) ; ServiceLocator . getUserServices ( ) . auditLog ( userAction ) ; } }
Also audit logs create and delete .
13,940
public PackageAssets getAssets ( String packageName , boolean withVcsInfo ) throws ServiceException { try { PackageDir pkgDir = getPackageDir ( packageName ) ; if ( pkgDir == null ) { pkgDir = getGhostPackage ( packageName ) ; if ( pkgDir == null ) throw new DataAccessException ( "Missing package metadata directory: " + packageName ) ; } List < AssetInfo > assets = new ArrayList < > ( ) ; if ( ! DiffType . MISSING . equals ( pkgDir . getVcsDiffType ( ) ) ) { for ( File file : pkgDir . listFiles ( ) ) { if ( file . isFile ( ) ) { AssetFile assetFile = pkgDir . getAssetFile ( file ) ; if ( ! MdwIgnore . isIgnore ( assetFile ) ) assets . add ( new AssetInfo ( assetFile ) ) ; } } } PackageAssets pkgAssets = new PackageAssets ( pkgDir ) ; pkgAssets . setAssets ( assets ) ; if ( withVcsInfo ) { CodeTimer timer = new CodeTimer ( "AssetServices" , true ) ; addVersionControlInfo ( pkgAssets ) ; pkgAssets . sort ( ) ; timer . stopAndLogTiming ( "addVersionControlInfo(PackageAssets)" ) ; } return pkgAssets ; } catch ( Exception ex ) { throw new ServiceException ( ex . getMessage ( ) , ex ) ; } }
Returns all the assets for the specified package . Does not use the AssetCache .
13,941
private List < PackageDir > findPackageDirs ( List < File > dirs , List < File > excludes ) throws IOException , DataAccessException { List < PackageDir > pkgSubDirs = new ArrayList < > ( ) ; List < File > allSubDirs = new ArrayList < > ( ) ; for ( File dir : dirs ) { MdwIgnore mdwIgnore = new MdwIgnore ( dir ) ; for ( File sub : dir . listFiles ( ) ) { if ( sub . isDirectory ( ) && ! sub . equals ( getArchiveDir ( ) ) && ! excludes . contains ( sub ) && ! mdwIgnore . isIgnore ( sub ) ) { if ( new File ( sub + "/.mdw" ) . isDirectory ( ) ) { PackageDir pkgSubDir = new PackageDir ( getAssetRoot ( ) , sub , getAssetVersionControl ( ) ) ; if ( pkgSubDir . parse ( ) ) pkgSubDirs . add ( pkgSubDir ) ; } allSubDirs . add ( sub ) ; } } } if ( ! allSubDirs . isEmpty ( ) ) pkgSubDirs . addAll ( findPackageDirs ( allSubDirs , excludes ) ) ; return pkgSubDirs ; }
Finds the next level of sibling PackageDirs under a set of non - package dirs .
13,942
private VersionControl getAssetVersionControl ( ) throws IOException , DataAccessException { VersionControl vc = getVersionControl ( ) ; if ( vc == null ) vc = DataAccess . getAssetVersionControl ( assetRoot ) ; return vc ; }
Falls back to DataAccess version control for asset versioning .
13,943
public AssetInfo getImplAsset ( String className ) throws ServiceException { int lastDot = className . lastIndexOf ( '.' ) ; if ( lastDot > 0 && lastDot < className . length ( ) - 1 ) { String assetRoot = className . substring ( 0 , lastDot ) + "/" + className . substring ( lastDot + 1 ) ; AssetInfo implAsset = getAsset ( assetRoot + ".java" ) ; if ( implAsset == null ) return getAsset ( assetRoot + ".kt" ) ; } return null ; }
Returns either Java or Kotlin asset implementor for a class . Null if not found .
13,944
private String getValue ( String name ) { for ( YamlProperties yamlProp : yamlProps ) { String value = yamlProp . getString ( name ) ; if ( value != null ) return value ; } if ( javaProps != null ) { for ( Properties javaProp : javaProps ) { String value = javaProp . getProperty ( name ) ; if ( value != null ) return value ; } } return null ; }
Reads flat or structured values from yaml . If not found fall back to java properties .
13,945
public static void putScript ( String name , KotlinCompiledScript script ) { getInstance ( ) . scripts . put ( name , script ) ; }
Must be public for access from Kotlin .
13,946
protected void handleConnectionException ( int errorCode , Throwable originalCause ) throws ActivityException { InternalEvent message = InternalEvent . createActivityStartMessage ( getActivityId ( ) , getProcessInstanceId ( ) , getWorkTransitionInstanceId ( ) , getMasterRequestId ( ) , COMPCODE_AUTO_RETRY ) ; ScheduledEventQueue eventQueue = ScheduledEventQueue . getSingleton ( ) ; int retry_interval = this . getRetryInterval ( ) ; Date scheduledTime = new Date ( DatabaseAccess . getCurrentTime ( ) + retry_interval * 1000 ) ; super . loginfo ( "The activity failed, set to retry at " + StringHelper . dateToString ( scheduledTime ) ) ; eventQueue . scheduleInternalEvent ( ScheduledEvent . INTERNAL_EVENT_PREFIX + this . getActivityInstanceId ( ) , scheduledTime , message . toString ( ) , "procinst:" + this . getProcessInstanceId ( ) . toString ( ) ) ; this . setReturnCode ( COMPCODE_AUTO_RETRY ) ; throw new ActivityException ( errorCode , originalCause . getMessage ( ) , originalCause ) ; }
Typically you should not override this method . ConnectionPoolAdapter does override this with internal MDW logic .
13,947
public Response directInvoke ( String request , int timeout , Map < String , String > meta_data ) throws AdapterException , ConnectionException { init ( ) ; if ( logger == null ) logger = LoggerUtil . getStandardLogger ( ) ; Object connection = null ; try { connection = openConnection ( ) ; return doInvoke ( connection , new Request ( request ) , timeout , meta_data ) ; } finally { if ( connection != null ) closeConnection ( connection ) ; } }
This method is used for directly invoke the adapter activity from code rather than as part of process execution flow .
13,948
public TransitionInstance createTransitionInstance ( Transition transition , Long pProcessInstId ) throws DataAccessException { TransactionWrapper transaction = null ; try { transaction = startTransaction ( ) ; return engineImpl . createTransitionInstance ( transition , pProcessInstId ) ; } catch ( DataAccessException e ) { if ( canRetryTransaction ( e ) ) { transaction = ( TransactionWrapper ) initTransactionRetry ( transaction ) ; return ( ( ProcessExecutor ) getTransactionRetrier ( ) ) . createTransitionInstance ( transition , pProcessInstId ) ; } else throw e ; } finally { stopTransaction ( transaction ) ; } }
Creates a new instance of the WorkTransationInstance entity
13,949
public Integer lockActivityInstance ( Long actInstId ) throws DataAccessException { try { if ( ! isInTransaction ( ) ) throw new DataAccessException ( "Cannot lock activity instance without a transaction" ) ; return engineImpl . getDataAccess ( ) . lockActivityInstance ( actInstId ) ; } catch ( SQLException e ) { throw new DataAccessException ( 0 , "Failed to lock activity instance" , e ) ; } }
This method must be called within the same transaction scope ( namely engine is already started
13,950
public Integer lockProcessInstance ( Long procInstId ) throws DataAccessException { try { if ( ! isInTransaction ( ) ) throw new DataAccessException ( "Cannot lock activity instance without a transaction" ) ; return engineImpl . getDataAccess ( ) . lockProcessInstance ( procInstId ) ; } catch ( SQLException e ) { throw new DataAccessException ( 0 , "Failed to lock process instance" , e ) ; } }
this method must be called within the same transaction scope ( namely engine is already started
13,951
@ Path ( "{package}/{asset}" ) public JSONObject get ( String assetPath , Map < String , String > headers ) throws ServiceException , JSONException { AssetServices assetServices = ServiceLocator . getAssetServices ( ) ; AssetInfo asset = assetServices . getAsset ( assetPath . substring ( 7 ) , true ) ; if ( asset == null ) throw new ServiceException ( ServiceException . NOT_FOUND , "Asset not found: " + assetPath ) ; if ( asset . getCommitInfo ( ) == null ) throw new ServiceException ( ServiceException . NOT_FOUND , "Commit Info not found: " + assetPath ) ; return asset . getCommitInfo ( ) . getJson ( ) ; }
Retrieves commit info for an asset .
13,952
public long getDurationMicro ( ) { if ( startNano != 0 ) { if ( running ) return ( ( long ) ( System . nanoTime ( ) - startNano ) ) / 1000 ; else if ( stopNano != startNano ) return ( ( long ) ( stopNano - startNano ) ) / 1000 ; } return 0 ; }
Timer duration in microseconds .
13,953
public static TaskTemplate getTemplateForName ( String taskName ) { for ( int i = 0 ; i < taskVoCache . size ( ) ; i ++ ) { TaskTemplate task = taskVoCache . get ( i ) ; if ( task . getTaskName ( ) . equals ( taskName ) ) { return task ; } } return null ; }
Return the latest task for the given name .
13,954
public static TaskTemplate getTaskTemplate ( String logicalId ) { for ( int i = 0 ; i < taskVoCache . size ( ) ; i ++ ) { TaskTemplate task = taskVoCache . get ( i ) ; if ( logicalId . equals ( task . getLogicalId ( ) ) ) { return task ; } } return null ; }
Return the latest task id for the given logical ID
13,955
public static TaskTemplate getTaskTemplate ( AssetVersionSpec assetVersionSpec ) throws Exception { TaskTemplate taskTemplate = templateVersions . get ( assetVersionSpec . toString ( ) ) ; if ( taskTemplate == null ) { if ( assetVersionSpec . getPackageName ( ) != null ) { List < Package > pkgVOs = PackageCache . getAllPackages ( assetVersionSpec . getPackageName ( ) ) ; for ( Package pkgVO : pkgVOs ) { for ( TaskTemplate template : pkgVO . getTaskTemplates ( ) ) { if ( assetVersionSpec . getName ( ) . equals ( template . getName ( ) ) ) { if ( template . meetsVersionSpec ( assetVersionSpec . getVersion ( ) ) && ( taskTemplate == null || template . getVersion ( ) > taskTemplate . getVersion ( ) ) ) taskTemplate = template ; } } } } if ( taskTemplate == null && ! assetVersionSpec . getVersion ( ) . equals ( "0" ) ) { AssetRef ref = AssetRefCache . getAssetRef ( assetVersionSpec ) ; if ( ref != null ) { taskTemplate = AssetRefConverter . getTaskTemplate ( ref ) ; if ( taskTemplate != null ) taskVoCache . add ( taskTemplate ) ; } } if ( taskTemplate != null ) templateVersions . put ( assetVersionSpec . toString ( ) , taskTemplate ) ; } return taskTemplate ; }
Get the latest task template that matched the assetVersionSpec . Uses the task logicalId to match to the taskVoCache so if the logical ID in the matching asset is not unique then the latest template with this logicalId will be returned regardless of assetVersionSpec . So CHANGE THE LOGICAL_ID if you want in - flight tasks to use a different template .
13,956
public static void read ( Swagger swagger , Set < Class < ? > > classes ) { final SwaggerAnnotationsReader reader = new SwaggerAnnotationsReader ( swagger ) ; for ( Class < ? > cls : classes ) { final ReaderContext context = new ReaderContext ( swagger , cls , "" , null , false , new ArrayList < > ( ) , new ArrayList < > ( ) , new ArrayList < > ( ) , new ArrayList < > ( ) ) ; reader . read ( context ) ; } }
Scans a set of classes for Swagger annotations .
13,957
public InputStream getResourceAsStream ( String name ) { byte [ ] b = null ; try { Asset resource = AssetCache . getAsset ( mdwPackage . getName ( ) + "/" + name ) ; if ( resource != null ) b = resource . getRawContent ( ) ; if ( b == null ) b = findInJarAssets ( name ) ; if ( b == null ) b = findInFileSystem ( name ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } if ( b == null ) return super . getResourceAsStream ( name ) ; else return new ByteArrayInputStream ( b ) ; }
This is used by XMLBeans for loading the type system .
13,958
private EventParameters createEventParameters ( Map < String , String > pParams ) { EventParameters evParams = EventParameters . Factory . newInstance ( ) ; for ( String name : pParams . keySet ( ) ) { String val = pParams . get ( name ) ; if ( val == null ) { continue ; } Parameter evParam = evParams . addNewParameter ( ) ; evParam . setName ( name ) ; evParam . setStringValue ( val ) ; } return evParams ; }
Method that creates the event params based on the passed in Map
13,959
public static InternalEvent createActivityNotifyMessage ( ActivityInstance ai , Integer eventType , String masterRequestId , String compCode ) { InternalEvent event = new InternalEvent ( ) ; event . workId = ai . getActivityId ( ) ; event . transitionInstanceId = null ; event . eventType = eventType ; event . ownerType = OwnerType . PROCESS_INSTANCE ; event . ownerId = ai . getProcessInstanceId ( ) ; event . masterRequestId = masterRequestId ; event . workInstanceId = ai . getId ( ) ; event . completionCode = compCode ; return event ; }
create activity FINISH ABORT RESUME CORRECT ERROR and any event type that can be specified in designer configuration for events .
13,960
public Transaction getTransaction ( ) { try { return getTransactionManager ( ) . getTransaction ( ) ; } catch ( Exception ex ) { StandardLogger logger = LoggerUtil . getStandardLogger ( ) ; logger . severeException ( ex . getMessage ( ) , ex ) ; return null ; } }
Returns the current transaction
13,961
public TransactionManager getTransactionManager ( ) { TransactionManager transMgr = null ; try { String jndiName = ApplicationContext . getNamingProvider ( ) . getTransactionManagerName ( ) ; Object txMgr = ApplicationContext . getNamingProvider ( ) . lookup ( null , jndiName , TransactionManager . class ) ; transMgr = ( TransactionManager ) txMgr ; } catch ( Exception ex ) { StandardLogger logger = LoggerUtil . getStandardLogger ( ) ; logger . severeException ( ex . getMessage ( ) , ex ) ; } return transMgr ; }
Returns transaction manager
13,962
public boolean belongsToGroup ( String groupName ) { if ( workgroups == null || workgroups . length == 0 ) { return false ; } for ( Workgroup g : workgroups ) { if ( g . getName ( ) . equals ( groupName ) ) return true ; } return false ; }
Check whether user belongs to the specified group
13,963
public void addRoleForGroup ( String groupName , String roleName ) { if ( workgroups == null ) { workgroups = new Workgroup [ 1 ] ; workgroups [ 0 ] = new Workgroup ( null , groupName , null ) ; } List < String > roles = workgroups [ 0 ] . getRoles ( ) ; if ( roles == null ) { roles = new ArrayList < String > ( ) ; workgroups [ 0 ] . setRoles ( roles ) ; } roles . add ( roleName ) ; }
This is only used when UserVO is a member of UserGroupVO . Only that group is populated as a substructure to store roles .
13,964
public void parseName ( ) { if ( getName ( ) != null ) { String name = getName ( ) . trim ( ) ; int firstSp = name . indexOf ( ' ' ) ; if ( firstSp > 0 ) { setFirst ( name . substring ( 0 , firstSp ) ) ; int lastSp = name . lastIndexOf ( ' ' ) ; setLast ( name . substring ( lastSp + 1 ) ) ; } else { setFirst ( name ) ; } } }
Set first and last name based on full name .
13,965
public void putreq ( String msg ) throws SoccomException { byte msgbytes [ ] = SoccomMessage . makeMessage ( msg , null ) ; logline ( "SEND: " + new String ( msgbytes ) ) ; copy_msgid ( _msgid , msgbytes ) ; try { _out . write ( msgbytes ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . REQUEST ) ; } }
Send a request message .
13,966
public void putreq_vheader ( String endmark ) throws SoccomException { if ( endmark . length ( ) != 4 ) throw new SoccomException ( SoccomException . ENDM_LENGTH ) ; byte msgbytes [ ] = SoccomMessage . makeMessageSpecial ( "ENDM" + endmark , null ) ; logline ( "SEND: " + new String ( msgbytes ) ) ; copy_msgid ( _msgid , msgbytes ) ; try { _out . write ( msgbytes ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . REQUEST ) ; } }
Send the header part of a variable - size request message .
13,967
public void putreq_vline ( String msg ) throws SoccomException { int length = msg . length ( ) ; if ( msg . charAt ( length - 1 ) == '\n' ) { logline ( "SEND: " + msg . substring ( 0 , length - 1 ) ) ; } else { logline ( "SEND: " + msg ) ; msg += "\n" ; } byte msgbytes [ ] = msg . getBytes ( ) ; try { _out . write ( msgbytes ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . REQUEST ) ; } }
Send a line as a part of a variable - size request message .
13,968
public void putreq_vfooter ( String endmark ) throws SoccomException { if ( endmark . length ( ) != 4 ) throw new SoccomException ( SoccomException . ENDM_LENGTH ) ; String msg = endmark + "\n" ; byte msgbytes [ ] = msg . getBytes ( ) ; logline ( "SEND: " + endmark ) ; try { _out . write ( msgbytes ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . REQUEST ) ; } }
Mark the end of a variable - size message .
13,969
public String getresp ( int timeout ) throws SoccomException { int size , n ; String sizestr ; try { byte [ ] _header = new byte [ SoccomMessage . HEADER_SIZE ] ; _socket . setSoTimeout ( timeout * 1000 ) ; n = _in . read ( _header , 0 , SoccomMessage . HEADER_SIZE ) ; if ( n != SoccomMessage . HEADER_SIZE ) throw new SoccomException ( SoccomException . RECV_HEADER ) ; logline ( "RECV HDR: " + new String ( _header ) ) ; check_msgid ( _msgid , _header ) ; sizestr = new String ( _header , SoccomMessage . MSGSIZE_OFFSET , 8 ) ; if ( sizestr . startsWith ( "ENDM" ) ) size = - 1 ; else size = Integer . parseInt ( sizestr ) ; } catch ( InterruptedIOException e ) { throw new SoccomException ( SoccomException . POLL_TIMEOUT ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . RECV_HEADER ) ; } try { String msg ; if ( size == - 1 ) { String endm = sizestr . substring ( 4 , 8 ) ; String line ; StringBuffer sb = new StringBuffer ( ) ; byte [ ] buffer = new byte [ 1024 ] ; int k ; boolean done = false ; while ( ! done ) { k = readLine ( _in , buffer , 0 , 1024 ) ; line = new String ( buffer , 0 , k ) ; if ( k == 5 && line . startsWith ( endm ) ) done = true ; else sb . append ( line ) ; } msg = sb . toString ( ) ; } else { byte [ ] buffer = new byte [ size + SoccomMessage . HEADER_SIZE ] ; int got = 0 ; while ( got < size ) { n = _in . read ( buffer , got , size - got ) ; if ( n > 0 ) got += n ; else if ( n == - 1 ) throw new SoccomException ( SoccomException . SOCKET_CLOSED ) ; else throw new SoccomException ( SoccomException . RECV_ERROR ) ; } msg = new String ( buffer , 0 , size ) ; } logline ( "RECV MSG: " + msg ) ; return msg ; } catch ( InterruptedIOException e ) { throw new SoccomException ( SoccomException . RECV_ERROR ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . RECV_ERROR ) ; } }
Get the response from the server after sending a request .
13,970
public String getresp_first ( int maxbytes , int timeout ) throws SoccomException { int n ; String sizestr , msg ; _resp_read = - 1 ; try { byte [ ] _header = new byte [ SoccomMessage . HEADER_SIZE ] ; _socket . setSoTimeout ( timeout * 1000 ) ; n = _in . read ( _header , 0 , SoccomMessage . HEADER_SIZE ) ; if ( n != SoccomMessage . HEADER_SIZE ) throw new SoccomException ( SoccomException . RECV_HEADER ) ; logline ( "RECV HDR: " + new String ( _header ) ) ; check_msgid ( _msgid , _header ) ; sizestr = new String ( _header , SoccomMessage . MSGSIZE_OFFSET , 8 ) ; if ( sizestr . startsWith ( "ENDM" ) ) _resp_size = - 1 ; else _resp_size = Integer . parseInt ( sizestr ) ; } catch ( InterruptedIOException e ) { throw new SoccomException ( SoccomException . RECV_HEADER ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . RECV_HEADER ) ; } try { if ( maxbytes == 0 ) { if ( _resp_size == - 1 ) { _endm = sizestr . substring ( 4 , 8 ) ; } _resp_read = 0 ; if ( getresp_hasmore ( ) ) msg = getresp_next ( maxbytes ) ; else msg = "" ; } else if ( _resp_size == - 1 ) { _endm = sizestr . substring ( 4 , 8 ) ; byte [ ] buffer = new byte [ maxbytes ] ; int k = 0 ; boolean done = false ; while ( ! done && k < maxbytes ) { n = readLine ( _in , buffer , k , maxbytes ) ; if ( n == 5 && _endm . equals ( new String ( buffer , k , 4 ) ) ) { done = true ; } else k += n ; } if ( done ) _resp_read = - 1 ; else _resp_read = k ; msg = new String ( buffer , 0 , k ) ; logline ( "RECV MSG: " + msg ) ; } else { byte [ ] buffer = new byte [ maxbytes ] ; if ( _resp_size <= maxbytes ) { n = _in . read ( buffer , 0 , _resp_size ) ; } else { n = _in . read ( buffer , 0 , maxbytes ) ; } if ( n >= 0 ) { _resp_read = n ; msg = new String ( buffer , 0 , n ) ; } else if ( n == - 1 ) throw new SoccomException ( SoccomException . SOCKET_CLOSED ) ; else throw new SoccomException ( SoccomException . RECV_ERROR ) ; logline ( "RECV MSG: " + msg ) ; } return msg ; } catch ( InterruptedIOException e ) { throw new SoccomException ( SoccomException . RECV_ERROR ) ; } catch ( IOException e ) { throw new SoccomException ( SoccomException . RECV_ERROR ) ; } }
The method receives the first part of response message from the server up to maxbytes bytes . Use getresp_hasmore and getresp_next to get getresp_rest to get the remaining part of messages . When the server sends the message using ENDM the string returned may be longer than maxbytes but only till the first line after that . When maxbytes is 0 the procedure reads the first line .
13,971
public void close ( ) { if ( _socket != null ) { try { _socket . close ( ) ; _socket = null ; } catch ( IOException e ) { System . err . println ( "Exception: " + e ) ; } _in = null ; _out = null ; } }
Close the connection . This is automatically called at garbage collection but it is a good idea to voluntarily call it as soon as the connection is not needed any more .
13,972
protected TextService getServiceInstance ( Map < String , String > headers ) throws ServiceException { try { String requestPath = headers . get ( Listener . METAINFO_REQUEST_PATH ) ; String [ ] pathSegments = requestPath != null ? requestPath . split ( "/" ) : null ; if ( pathSegments == null ) throw new ServiceException ( ServiceException . INTERNAL_ERROR , "Unable to find a service or handler for request path: " + requestPath ) ; String contentType = headers . get ( Listener . METAINFO_CONTENT_TYPE ) ; String serviceClassName = MDW_REST_SERVICE_PROVIDER_PACKAGE + "." + pathSegments [ 0 ] ; try { Class < ? extends TextService > serviceClass = Class . forName ( serviceClassName ) . asSubclass ( TextService . class ) ; return serviceClass . newInstance ( ) ; } catch ( ClassNotFoundException ex ) { Class < ? extends RegisteredService > serviceType = Listener . CONTENT_TYPE_JSON . equals ( contentType ) ? JsonService . class : XmlService . class ; MdwServiceRegistry registry = MdwServiceRegistry . getInstance ( ) ; String pkgName = null ; for ( int i = 0 ; i < pathSegments . length ; i ++ ) { String pathSegment = pathSegments [ i ] ; if ( i == 0 ) pkgName = pathSegment ; else pkgName += "." + pathSegment ; Package pkg = PackageCache . getPackage ( pkgName ) ; if ( pkg != null ) { TextService service = ( TextService ) registry . getDynamicServiceForPath ( pkg , serviceType , "/" ) ; if ( service == null && i < pathSegments . length - 1 ) { service = ( TextService ) registry . getDynamicServiceForPath ( pkg , serviceType , "/" + pathSegments [ i + 1 ] ) ; } if ( service != null ) return service ; } } AssetRequest processRequest = ProcessRequests . getRequest ( headers . get ( Listener . METAINFO_HTTP_METHOD ) , requestPath ) ; if ( processRequest != null ) { return new ProcessInvoker ( processRequest ) ; } return null ; } } catch ( Exception ex ) { throw new ServiceException ( ServiceException . INTERNAL_ERROR , ex . getMessage ( ) , ex ) ; } }
Returns the service instance consulting the service registry if necessary .
13,973
protected Format getFormat ( Map < String , String > metaInfo ) { Format format = Format . json ; metaInfo . put ( Listener . METAINFO_CONTENT_TYPE , Listener . CONTENT_TYPE_JSON ) ; String formatParam = ( String ) metaInfo . get ( "format" ) ; if ( formatParam != null ) { if ( formatParam . equals ( "xml" ) ) { format = Format . xml ; metaInfo . put ( Listener . METAINFO_CONTENT_TYPE , Listener . CONTENT_TYPE_XML ) ; } else if ( formatParam . equals ( "text" ) ) { format = Format . text ; metaInfo . put ( Listener . METAINFO_CONTENT_TYPE , Listener . CONTENT_TYPE_TEXT ) ; } } else { if ( Listener . CONTENT_TYPE_XML . equals ( metaInfo . get ( Listener . METAINFO_CONTENT_TYPE ) ) || Listener . CONTENT_TYPE_XML . equals ( metaInfo . get ( Listener . METAINFO_CONTENT_TYPE . toLowerCase ( ) ) ) ) { format = Format . xml ; metaInfo . put ( Listener . METAINFO_CONTENT_TYPE , Listener . CONTENT_TYPE_XML ) ; } else if ( Listener . CONTENT_TYPE_TEXT . equals ( metaInfo . get ( Listener . METAINFO_CONTENT_TYPE ) ) || Listener . CONTENT_TYPE_TEXT . equals ( metaInfo . get ( Listener . METAINFO_CONTENT_TYPE . toLowerCase ( ) ) ) ) { format = Format . text ; metaInfo . put ( Listener . METAINFO_CONTENT_TYPE , Listener . CONTENT_TYPE_JSON ) ; } } return format ; }
Default format is now JSON .
13,974
@ Path ( "/{ownerType}/{ownerId}" ) @ ApiOperation ( value = "Retrieve attributes for an ownerType and ownerId" , notes = "Response is a generic JSON object with names/values." ) public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { Map < String , String > parameters = getParameters ( headers ) ; String ownerType = getSegment ( path , 1 ) ; if ( ownerType == null ) ownerType = parameters . get ( "ownerType" ) ; if ( ownerType == null ) throw new ServiceException ( "Missing path segment: {ownerType}" ) ; String ownerId = getSegment ( path , 2 ) ; if ( ownerId == null ) ownerId = parameters . get ( "ownerId" ) ; if ( ownerId == null ) throw new ServiceException ( "Missing path segment: {ownerId}" ) ; try { Map < String , String > attrs = ServiceLocator . getWorkflowServices ( ) . getAttributes ( ownerType , Long . parseLong ( ownerId ) ) ; JSONObject attrsJson = new JsonObject ( ) ; for ( String name : attrs . keySet ( ) ) attrsJson . put ( name , attrs . get ( name ) ) ; return attrsJson ; } catch ( Exception ex ) { throw new ServiceException ( "Error loading attributes for " + ownerType + ": " + ownerId , ex ) ; } }
Retrieve attributes .
13,975
public void importAssetsFromGit ( ProgressMonitor ... monitors ) throws IOException { if ( inProgress ) throw new IOException ( "Asset import already in progress..." ) ; try { inProgress = true ; getOut ( ) . println ( "Importing from Git into: " + getProjectDir ( ) + "...(branch: " + branch + ")(Hard Reset: " + ( hardReset ? "YES)" : "NO)" ) ) ; Vercheck vercheck = new Vercheck ( ) ; vercheck . setConfigLoc ( getConfigLoc ( ) ) ; vercheck . setAssetLoc ( getAssetLoc ( ) ) ; vercheck . setGitRoot ( getGitRoot ( ) ) ; vercheck . setForImport ( true ) ; vercheck . setDebug ( true ) ; vercheck . run ( ) ; if ( vercheck . getErrorCount ( ) > 0 ) { throw new IOException ( "Asset version conflict(s). See log for details" ) ; } versionControl . hardCheckout ( branch , hardReset ) ; versionControl . clear ( ) ; Checkpoint checkpoint = new Checkpoint ( getEngineAssetRoot ( ) , versionControl , versionControl . getCommit ( ) , pooledConn ) ; try { checkpoint . updateRefs ( true ) ; } catch ( SQLException ex ) { throw new IOException ( ex . getMessage ( ) , ex ) ; } } catch ( Throwable ex ) { if ( ex instanceof IOException ) throw ( IOException ) ex ; else throw new IOException ( ex . getMessage ( ) , ex ) ; } finally { inProgress = false ; } }
This is for importing project assets from Git into an environment .
13,976
public void importGit ( ProgressMonitor ... monitors ) throws IOException { if ( inProgress ) throw new IOException ( "Asset already in progress..." ) ; try { inProgress = true ; Props props = new Props ( this ) ; VcInfo vcInfo = new VcInfo ( getGitRoot ( ) , props ) ; getOut ( ) . println ( "Importing from Git into: " + getProjectDir ( ) + "..." ) ; Git git = new Git ( getReleasesUrl ( ) , vcInfo , "checkVersionConsistency" , vcInfo . getBranch ( ) , getAssetLoc ( ) ) ; git . run ( monitors ) ; Vercheck vercheck = new Vercheck ( ) ; vercheck . setConfigLoc ( getConfigLoc ( ) ) ; vercheck . setAssetLoc ( getAssetLoc ( ) ) ; vercheck . setGitRoot ( getGitRoot ( ) ) ; vercheck . setDebug ( true ) ; vercheck . run ( ) ; if ( vercheck . getErrorCount ( ) > 0 ) { throw new IOException ( "Asset version conflict(s). See log for details" ) ; } git = new Git ( getReleasesUrl ( ) , vcInfo , "hardCheckout" , vcInfo . getBranch ( ) , isHardReset ( ) ) ; git . run ( monitors ) ; DbInfo dbInfo = new DbInfo ( props ) ; Checkpoint checkpoint = new Checkpoint ( getReleasesUrl ( ) , vcInfo , getAssetRoot ( ) , dbInfo ) ; try { checkpoint . run ( monitors ) . updateRefs ( ) ; } catch ( SQLException ex ) { throw new IOException ( ex . getMessage ( ) , ex ) ; } } catch ( Throwable ex ) { if ( ex instanceof IOException ) throw ex ; else throw new IOException ( ex . getMessage ( ) , ex ) ; } finally { inProgress = false ; } }
This is for importing newly - discovered assets .
13,977
public < T extends RegisteredService > T getDynamicService ( Package pkg , Class < T > serviceInterface , String className ) { if ( dynamicServices . containsKey ( serviceInterface . getName ( ) ) && dynamicServices . get ( serviceInterface . getName ( ) ) . contains ( className ) ) { try { ClassLoader parentClassLoader = pkg == null ? getClass ( ) . getClassLoader ( ) : pkg . getClassLoader ( ) ; Class < ? > clazz = CompiledJavaCache . getClassFromAssetName ( parentClassLoader , className ) ; if ( clazz == null ) return null ; RegisteredService rs = ( RegisteredService ) ( clazz ) . newInstance ( ) ; T drs = serviceInterface . cast ( rs ) ; return drs ; } catch ( Exception ex ) { logger . severeException ( "Failed to get the dynamic registered service : " + className + " \n " + ex . getMessage ( ) , ex ) ; } } return null ; }
Get the Dynamic java instance for Registered Service
13,978
public void addDynamicService ( String serviceInterface , String className ) { if ( dynamicServices . containsKey ( serviceInterface ) ) { dynamicServices . get ( serviceInterface ) . add ( className ) ; } else { Set < String > classNamesSet = new HashSet < String > ( ) ; classNamesSet . add ( className ) ; dynamicServices . put ( serviceInterface , classNamesSet ) ; } }
Add Dynamic Java Registered Service class names for each service
13,979
public String [ ] getArrayFilter ( String key ) { String value = filters . get ( key ) ; if ( value == null ) return null ; String [ ] array = new String [ 0 ] ; if ( value . startsWith ( "[" ) ) { if ( value . length ( ) > 2 ) array = value . substring ( 1 , value . length ( ) - 1 ) . split ( "," ) ; } else if ( value . length ( ) > 1 ) { array = value . split ( "," ) ; } for ( int i = 0 ; i < array . length ; i ++ ) { String item = array [ i ] ; if ( ( item . startsWith ( "\"" ) && item . endsWith ( "\"" ) ) || ( item . startsWith ( "'" ) && item . endsWith ( "'" ) ) && item . length ( ) > 1 ) array [ i ] = item . substring ( 1 , item . length ( ) - 2 ) ; } return array ; }
Empty list returns null ;
13,980
public Map < String , String > getMapFilter ( String name ) { String value = filters . get ( name ) ; if ( value == null ) return null ; Map < String , String > map = new LinkedHashMap < > ( ) ; if ( value . startsWith ( "{" ) && value . endsWith ( "}" ) ) { for ( String entry : value . substring ( 1 , value . length ( ) - 1 ) . split ( "," ) ) { int eq = entry . indexOf ( '=' ) ; if ( eq > 0 && eq < entry . length ( ) - 1 ) { String key = entry . substring ( 0 , eq ) . trim ( ) ; String val = entry . substring ( eq + 1 ) ; if ( ( val . startsWith ( "\"" ) && val . endsWith ( "\"" ) ) || ( val . startsWith ( "'" ) && val . endsWith ( "'" ) ) && val . length ( ) > 1 ) { val = val . substring ( 1 , val . length ( ) - 1 ) ; } else { val = val . trim ( ) ; } map . put ( key , val ) ; } } } return map . isEmpty ( ) ? null : map ; }
Empty map returns null as does invalid format .
13,981
public String getServiceSummaryVariableName ( Process processDefinition ) { for ( Activity activity : processDefinition . getActivities ( ) ) { String attr = activity . getAttribute ( "serviceSummaryVariable" ) ; if ( attr != null ) return attr ; } return null ; }
Walks through all activities looking for the attribute .
13,982
public JSONObject getJson ( ) throws JSONException { JSONObject json = create ( ) ; json . put ( "id" , getLogicalId ( ) ) ; json . put ( "to" , "A" + toId ) ; if ( completionCode != null ) json . put ( "resultCode" , completionCode ) ; if ( eventType != null ) json . put ( "event" , EventType . getEventTypeName ( eventType ) ) ; if ( attributes != null && ! attributes . isEmpty ( ) ) json . put ( "attributes" , Attribute . getAttributesJson ( attributes ) ) ; return json ; }
Does not populate from field since JSON transitions are children of activities .
13,983
private static void initializeJavaSourceArtifacts ( ) throws DataAccessException , IOException , CachingException { logger . info ( "Initializing Java source assets..." ) ; long before = System . currentTimeMillis ( ) ; for ( Asset javaSource : AssetCache . getAssets ( Asset . JAVA ) ) { Package pkg = PackageCache . getAssetPackage ( javaSource . getId ( ) ) ; String packageName = pkg == null ? null : JavaNaming . getValidPackageName ( pkg . getName ( ) ) ; String className = JavaNaming . getValidClassName ( javaSource . getName ( ) ) ; File dir = createNeededDirs ( packageName ) ; File file = new File ( dir + "/" + className + ".java" ) ; if ( file . exists ( ) ) file . delete ( ) ; String javaCode = javaSource . getStringContent ( ) ; if ( javaCode != null ) { javaCode = doCompatibilityCodeSubstitutions ( packageName + "." + className , javaCode ) ; FileWriter writer = new FileWriter ( file ) ; writer . write ( javaCode ) ; writer . close ( ) ; } } if ( logger . isDebugEnabled ( ) ) logger . debug ( "Time to initialize Java source assets: " + ( System . currentTimeMillis ( ) - before ) + " ms" ) ; }
Writes the java - language assets into the temporary directory . This is only needed for compilation dependencies .
13,984
private static void preCompileJavaSourceArtifacts ( ) { if ( preCompiled != null ) { for ( String preCompClass : preCompiled ) { logger . info ( "Precompiling dynamic Java asset class: " + preCompClass ) ; try { Asset javaAsset = AssetCache . getAsset ( preCompClass , Asset . JAVA ) ; Package pkg = PackageCache . getAssetPackage ( javaAsset . getId ( ) ) ; String packageName = pkg == null ? null : JavaNaming . getValidPackageName ( pkg . getName ( ) ) ; String className = ( pkg == null ? "" : packageName + "." ) + JavaNaming . getValidClassName ( javaAsset . getName ( ) ) ; getClass ( null , pkg , className , javaAsset . getStringContent ( ) ) ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; } } } }
Precompile designated Java Source artifacts .
13,985
public static int unitsToSeconds ( String interval , String unit ) { if ( interval == null || interval . isEmpty ( ) ) return 0 ; else if ( unit == null ) return ( int ) ( Double . parseDouble ( interval ) ) ; else if ( unit . equals ( INTERVAL_DAYS ) ) return ( int ) ( Double . parseDouble ( interval ) * 86400 ) ; else if ( unit . equals ( INTERVAL_HOURS ) ) return ( int ) ( Double . parseDouble ( interval ) * 3600 ) ; else if ( unit . equals ( INTERVAL_MINUTES ) ) return ( int ) ( Double . parseDouble ( interval ) * 60 ) ; else return ( int ) ( Double . parseDouble ( interval ) ) ; }
Convert interval of specified unit to seconds
13,986
public static String secondsToUnits ( int seconds , String unit ) { if ( unit == null ) return String . valueOf ( seconds ) ; else if ( unit . equals ( INTERVAL_DAYS ) ) return String . valueOf ( Math . round ( seconds / 86400 ) ) ; else if ( unit . equals ( INTERVAL_HOURS ) ) return String . valueOf ( Math . round ( seconds / 3600 ) ) ; else if ( unit . equals ( INTERVAL_MINUTES ) ) return String . valueOf ( Math . round ( seconds / 60 ) ) ; else return String . valueOf ( seconds ) ; }
Convert seconds to specified units
13,987
@ SuppressWarnings ( "unused" ) public String getAssetPath ( ) { String relPath = getRelPath ( ) ; return relPath . substring ( 0 , relPath . length ( ) - getAsset ( ) . getName ( ) . length ( ) - 1 ) . replace ( '/' , '.' ) + "/" + getAsset ( ) . getName ( ) ; }
Accessed in react default index . html substitution .
13,988
@ Path ( "/{documentId}" ) public JSONObject get ( String path , Map < String , String > headers ) throws ServiceException , JSONException { WorkflowServices workflowServices = ServiceLocator . getWorkflowServices ( ) ; String docId = getSegment ( path , 1 ) ; if ( docId == null ) { throw new ServiceException ( ServiceException . BAD_REQUEST , "Invalid path: " + path ) ; } try { JSONObject json = new JSONObject ( ) ; json . put ( "value" , workflowServices . getDocumentStringValue ( Long . valueOf ( docId ) ) ) ; return json ; } catch ( NumberFormatException e ) { throw new ServiceException ( ServiceException . BAD_REQUEST , "Invalid path: " + path , e ) ; } }
Retrieve a document string value
13,989
protected URL getRequestUrl ( Map < String , String > headers ) throws ServiceException { String requestUrl = headers . get ( Listener . METAINFO_REQUEST_URL ) ; if ( requestUrl == null ) throw new ServiceException ( "Missing header: " + Listener . METAINFO_REQUEST_URL ) ; String queryStr = "" ; if ( ! StringHelper . isEmpty ( headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) ) ) queryStr = "?" + headers . get ( Listener . METAINFO_REQUEST_QUERY_STRING ) ; try { return new URL ( requestUrl + queryStr ) ; } catch ( MalformedURLException ex ) { throw new ServiceException ( ServiceException . INTERNAL_ERROR , ex . getMessage ( ) , ex ) ; } }
Includes query string .
13,990
protected UserAction getUserAction ( User user , String path , Object content , Map < String , String > headers ) { Action action = getAction ( path , content , headers ) ; Entity entity = getEntity ( path , content , headers ) ; Long entityId = getEntityId ( path , content , headers ) ; String descrip = getEntityDescription ( path , content , headers ) ; if ( descrip . length ( ) > 1000 ) descrip = descrip . substring ( 0 , 999 ) ; UserAction userAction = new UserAction ( user . getCuid ( ) , action , entity , entityId , descrip ) ; userAction . setSource ( getSource ( ) ) ; return userAction ; }
For audit logging .
13,991
protected Long getEntityId ( String path , Object content , Map < String , String > headers ) { return 0L ; }
Override if entity has a meaningful ID .
13,992
protected String getSub ( String path ) { int slash = path . indexOf ( '/' ) ; if ( slash > 0 && slash < path . length ( ) - 1 ) return path . substring ( slash + 1 ) ; else return null ; }
Minus the base path that triggered this service .
13,993
protected Entity getEntity ( String path , Object content , Map < String , String > headers ) { return Entity . Other ; }
Should be overridden . Avoid using Entity . Other .
13,994
protected String getAuthUser ( Map < String , String > headers ) { return headers . get ( Listener . AUTHENTICATED_USER_HEADER ) ; }
returns authenticated user cuid
13,995
protected void authorizeExport ( Map < String , String > headers ) throws AuthorizationException { String path = headers . get ( Listener . METAINFO_REQUEST_PATH ) ; User user = authorize ( path , new JsonObject ( ) , headers ) ; Action action = Action . Export ; Entity entity = getEntity ( path , null , headers ) ; Long entityId = new Long ( 0 ) ; String descrip = path ; if ( descrip . length ( ) > 1000 ) descrip = descrip . substring ( 0 , 999 ) ; UserAction exportAction = new UserAction ( user == null ? "unknown" : user . getName ( ) , action , entity , entityId , descrip ) ; exportAction . setSource ( getSource ( ) ) ; auditLog ( exportAction ) ; }
Also audit logs .
13,996
public Map < String , String > getRequestHeaders ( ) { if ( super . getRequestHeaders ( ) != null ) return super . getRequestHeaders ( ) ; try { Map < String , String > headers = null ; String headersVar = getAttributeValueSmart ( HEADERS_VARIABLE ) ; if ( headersVar != null ) { Process processVO = getProcessDefinition ( ) ; Variable variableVO = processVO . getVariable ( headersVar ) ; if ( variableVO == null ) throw new ActivityException ( "Headers variable '" + headersVar + "' is not defined for process " + processVO . getLabel ( ) ) ; if ( ! variableVO . getType ( ) . startsWith ( "java.util.Map" ) ) throw new ActivityException ( "Headers variable '" + headersVar + "' must be of type java.util.Map" ) ; Object headersObj = getVariableValue ( headersVar ) ; if ( headersObj != null ) { headers = new HashMap < > ( ) ; for ( Object key : ( ( Map < ? , ? > ) headersObj ) . keySet ( ) ) { headers . put ( key . toString ( ) , ( ( Map < ? , ? > ) headersObj ) . get ( key ) . toString ( ) ) ; } } } Object authProvider = getAuthProvider ( ) ; if ( authProvider instanceof AuthTokenProvider ) { if ( headers == null ) headers = new HashMap < > ( ) ; URL endpoint = new URL ( getEndpointUri ( ) ) ; String user = getAttribute ( AUTH_USER ) ; String password = getAttribute ( AUTH_PASSWORD ) ; String appId = getAttribute ( AUTH_APP_ID ) ; if ( appId != null && appId . length ( ) > 0 ) { Map < String , String > options = new HashMap < > ( ) ; options . put ( "appId" , appId ) ; ( ( AuthTokenProvider ) authProvider ) . setOptions ( options ) ; } String token = new String ( ( ( AuthTokenProvider ) authProvider ) . getToken ( endpoint , user , password ) ) ; headers . put ( "Authorization" , "Bearer " + token ) ; } super . setRequestHeaders ( headers ) ; return headers ; } catch ( Exception ex ) { logger . severeException ( ex . getMessage ( ) , ex ) ; return null ; } }
Override to specify HTTP request headers .
13,997
public static String getConfigLocation ( ) { if ( configLocation == null ) { String configLoc = System . getProperty ( MDW_CONFIG_LOCATION ) ; if ( configLoc != null ) { if ( ! configLoc . endsWith ( "/" ) ) configLoc = configLoc + "/" ; configLocation = configLoc ; System . out . println ( "Loading configuration files from '" + new File ( configLoc ) . getAbsolutePath ( ) + "'" ) ; } } return configLocation ; }
Directory where MDW config files can be found .
13,998
public static PropertyManager getInstance ( ) { if ( instance == null ) { try { initializePropertyManager ( ) ; } catch ( StartupException e ) { throw new RuntimeException ( e ) ; } } return instance ; }
returns the handle to the property manager
13,999
public static String locate ( String className , ClassLoader classLoader ) { String resource = new String ( className ) ; if ( ! resource . startsWith ( "/" ) ) { resource = "/" + resource ; } resource = resource . replace ( '.' , '/' ) ; resource = resource + ".class" ; URL classUrl = classLoader . getResource ( resource ) ; if ( classUrl == null && classLoader == ClasspathUtil . class . getClassLoader ( ) ) { classUrl = ClasspathUtil . class . getResource ( resource ) ; } if ( classUrl == null ) { return "\nClass not found: [" + className + "]" ; } else { return classUrl . getFile ( ) ; } }
Finds the location of the version of a particular class that will be used by the Java runtime . Output goes to standard out .