repo
stringlengths
7
58
path
stringlengths
12
218
func_name
stringlengths
3
140
original_string
stringlengths
73
34.1k
language
stringclasses
1 value
code
stringlengths
73
34.1k
code_tokens
list
docstring
stringlengths
3
16k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
105
339
partition
stringclasses
1 value
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java
CacheRegistration.preloadDynamicCaches
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); } } }
java
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); } } }
[ "private", "void", "preloadDynamicCaches", "(", ")", "{", "List", "<", "CacheService", ">", "dynamicCacheServices", "=", "CacheRegistry", ".", "getInstance", "(", ")", ".", "getDynamicCacheServices", "(", ")", ";", "for", "(", "CacheService", "dynamicCacheService", ...
Load caches registered as dynamic java services.
[ "Load", "caches", "registered", "as", "dynamic", "java", "services", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java#L127-L153
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java
CacheRegistration.onShutdown
public void onShutdown(){ CacheRegistry.getInstance().clearDynamicServices();// clear dynamic cache services synchronized (allCaches) { for (String cacheName : allCaches.keySet()) { CacheService cachingObj= allCaches.get(cacheName); cachingObj.clearCache(); } } }
java
public void onShutdown(){ CacheRegistry.getInstance().clearDynamicServices();// clear dynamic cache services synchronized (allCaches) { for (String cacheName : allCaches.keySet()) { CacheService cachingObj= allCaches.get(cacheName); cachingObj.clearCache(); } } }
[ "public", "void", "onShutdown", "(", ")", "{", "CacheRegistry", ".", "getInstance", "(", ")", ".", "clearDynamicServices", "(", ")", ";", "// clear dynamic cache services", "synchronized", "(", "allCaches", ")", "{", "for", "(", "String", "cacheName", ":", "allC...
Method that gets invoked when the server shuts down
[ "Method", "that", "gets", "invoked", "when", "the", "server", "shuts", "down" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java#L186-L194
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java
CacheRegistration.refreshCache
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); } } } }
java
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); } } } }
[ "public", "void", "refreshCache", "(", "String", "cacheName", ",", "List", "<", "String", ">", "excludedFormats", ")", "{", "CacheService", "cache", "=", "allCaches", ".", "get", "(", "cacheName", ")", ";", "if", "(", "cache", "!=", "null", ")", "{", "if...
Refreshes a particular cache by name. @param cacheName the cache to refresh
[ "Refreshes", "a", "particular", "cache", "by", "name", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/cache/CacheRegistration.java#L239-L254
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/app/Compatibility.java
Compatibility.getActivityImplementor
public static String getActivityImplementor(String className) throws IOException { if (getActivityImplementors() != null) { String newImpl = getActivityImplementors().get(className); if (newImpl != null) return newImpl; } return className; }
java
public static String getActivityImplementor(String className) throws IOException { if (getActivityImplementors() != null) { String newImpl = getActivityImplementors().get(className); if (newImpl != null) return newImpl; } return className; }
[ "public", "static", "String", "getActivityImplementor", "(", "String", "className", ")", "throws", "IOException", "{", "if", "(", "getActivityImplementors", "(", ")", "!=", "null", ")", "{", "String", "newImpl", "=", "getActivityImplementors", "(", ")", ".", "ge...
If the className argument needs to be mapped to a new implementor class, returns the new class name; otherwise returns the unmodified argument.
[ "If", "the", "className", "argument", "needs", "to", "be", "mapped", "to", "a", "new", "implementor", "class", "returns", "the", "new", "class", "name", ";", "otherwise", "returns", "the", "unmodified", "argument", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/app/Compatibility.java#L103-L110
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/app/Compatibility.java
Compatibility.getEventHandler
public static String getEventHandler(String className) throws IOException { if (getEventHandlers() != null) { String newHandler = getEventHandlers().get(className); if (newHandler != null) return newHandler; } return className; }
java
public static String getEventHandler(String className) throws IOException { if (getEventHandlers() != null) { String newHandler = getEventHandlers().get(className); if (newHandler != null) return newHandler; } return className; }
[ "public", "static", "String", "getEventHandler", "(", "String", "className", ")", "throws", "IOException", "{", "if", "(", "getEventHandlers", "(", ")", "!=", "null", ")", "{", "String", "newHandler", "=", "getEventHandlers", "(", ")", ".", "get", "(", "clas...
If the className argument needs to be mapped to a new event handler class, returns the new class name; otherwise returns the unmodified argument.
[ "If", "the", "className", "argument", "needs", "to", "be", "mapped", "to", "a", "new", "event", "handler", "class", "returns", "the", "new", "class", "name", ";", "otherwise", "returns", "the", "unmodified", "argument", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/app/Compatibility.java#L122-L129
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/app/Compatibility.java
Compatibility.getVariableTranslator
public static String getVariableTranslator(String className) throws IOException { if (getVariableTranslators() != null) { String newTranslator = getVariableTranslators().get(className); if (newTranslator != null) return newTranslator; } return className; }
java
public static String getVariableTranslator(String className) throws IOException { if (getVariableTranslators() != null) { String newTranslator = getVariableTranslators().get(className); if (newTranslator != null) return newTranslator; } return className; }
[ "public", "static", "String", "getVariableTranslator", "(", "String", "className", ")", "throws", "IOException", "{", "if", "(", "getVariableTranslators", "(", ")", "!=", "null", ")", "{", "String", "newTranslator", "=", "getVariableTranslators", "(", ")", ".", ...
If the className argument needs to be mapped to a new variable translator class, returns the new class name; otherwise returns the unmodified argument.
[ "If", "the", "className", "argument", "needs", "to", "be", "mapped", "to", "a", "new", "variable", "translator", "class", "returns", "the", "new", "class", "name", ";", "otherwise", "returns", "the", "unmodified", "argument", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/app/Compatibility.java#L135-L142
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/app/Compatibility.java
Compatibility.getVariableType
public static String getVariableType(String type) throws IOException { if (getVariableTypes() != null) { String newType = getVariableTypes().get(type); if (newType != null) return newType; } return type; }
java
public static String getVariableType(String type) throws IOException { if (getVariableTypes() != null) { String newType = getVariableTypes().get(type); if (newType != null) return newType; } return type; }
[ "public", "static", "String", "getVariableType", "(", "String", "type", ")", "throws", "IOException", "{", "if", "(", "getVariableTypes", "(", ")", "!=", "null", ")", "{", "String", "newType", "=", "getVariableTypes", "(", ")", ".", "get", "(", "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.
[ "If", "the", "type", "argument", "needs", "to", "be", "mapped", "to", "a", "new", "variable", "type", "class", "returns", "the", "new", "class", "name", ";", "otherwise", "returns", "the", "unmodified", "argument", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/app/Compatibility.java#L154-L161
train
CenturyLinkCloud/mdw
mdw-workflow/assets/com/centurylink/mdw/camel/CamelRouteAdapter.java
CamelRouteAdapter.getRoutesDefinition
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(); } }
java
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(); } }
[ "protected", "RoutesDefinition", "getRoutesDefinition", "(", "String", "name", ",", "String", "version", ")", "throws", "AdapterException", "{", "String", "modifier", "=", "\"\"", ";", "Map", "<", "String", ",", "String", ">", "params", "=", "getHandlerParameters"...
Returns the latest version whose attributes match the custom attribute criteria specified via "CustomAttributes". Override to apply additional or non-standard conditions. @param version
[ "Returns", "the", "latest", "version", "whose", "attributes", "match", "the", "custom", "attribute", "criteria", "specified", "via", "CustomAttributes", ".", "Override", "to", "apply", "additional", "or", "non", "-", "standard", "conditions", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/assets/com/centurylink/mdw/camel/CamelRouteAdapter.java#L149-L182
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.createProcessInstance
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) // Indicates instance definition comment += "|HasInstanceDef|" + parentPi.getProcessInstDefId(); pi.setComment(comment); } else { if (uniqueMasterRequestId && !(OwnerType.PROCESS_INSTANCE.equals(ownerType) || OwnerType.ERROR.equals(ownerType))) { // Check for uniqueness of master request id before creating top level process instance, if enabled 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; }
java
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) // Indicates instance definition comment += "|HasInstanceDef|" + parentPi.getProcessInstDefId(); pi.setComment(comment); } else { if (uniqueMasterRequestId && !(OwnerType.PROCESS_INSTANCE.equals(ownerType) || OwnerType.ERROR.equals(ownerType))) { // Check for uniqueness of master request id before creating top level process instance, if enabled 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; }
[ "ProcessInstance", "createProcessInstance", "(", "Long", "processId", ",", "String", "ownerType", ",", "Long", "ownerId", ",", "String", "secondaryOwnerType", ",", "Long", "secondaryOwnerId", ",", "String", "masterRequestId", ",", "Map", "<", "String", ",", "String"...
Create a process instance. The status is PENDING_PROCESS
[ "Create", "a", "process", "instance", ".", "The", "status", "is", "PENDING_PROCESS" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L279-L329
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.createTransitionInstances
void createTransitionInstances(ProcessInstance processInstanceVO, List<Transition> transitions, Long fromActInstId) throws ProcessException,DataAccessException { TransitionInstance transInst; for (Transition transition : transitions) { try { if (tooManyMaxTransitionInstances(transition, processInstanceVO.getId())) { // Look for a error transition at this time // In case we find it, raise the error event // Otherwise do not do anything 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); } } }
java
void createTransitionInstances(ProcessInstance processInstanceVO, List<Transition> transitions, Long fromActInstId) throws ProcessException,DataAccessException { TransitionInstance transInst; for (Transition transition : transitions) { try { if (tooManyMaxTransitionInstances(transition, processInstanceVO.getId())) { // Look for a error transition at this time // In case we find it, raise the error event // Otherwise do not do anything 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); } } }
[ "void", "createTransitionInstances", "(", "ProcessInstance", "processInstanceVO", ",", "List", "<", "Transition", ">", "transitions", ",", "Long", "fromActInstId", ")", "throws", "ProcessException", ",", "DataAccessException", "{", "TransitionInstance", "transInst", ";", ...
Handles the work Transitions for the passed in collection of Items
[ "Handles", "the", "work", "Transitions", "for", "the", "passed", "in", "collection", "of", "Items" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L467-L502
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.startProcessInstance
void startProcessInstance(ProcessInstance processInstanceVO, int delay) throws ProcessException { try { Process process = getProcessDefinition(processInstanceVO); edao.setProcessInstanceStatus(processInstanceVO.getId(), WorkStatus.STATUS_PENDING_PROCESS); // setProcessInstanceStatus will really set to STATUS_IN_PROGRESS - hint to set START_DT as well 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); // get start activity ID 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()); } }
java
void startProcessInstance(ProcessInstance processInstanceVO, int delay) throws ProcessException { try { Process process = getProcessDefinition(processInstanceVO); edao.setProcessInstanceStatus(processInstanceVO.getId(), WorkStatus.STATUS_PENDING_PROCESS); // setProcessInstanceStatus will really set to STATUS_IN_PROGRESS - hint to set START_DT as well 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); // get start activity ID 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()); } }
[ "void", "startProcessInstance", "(", "ProcessInstance", "processInstanceVO", ",", "int", "delay", ")", "throws", "ProcessException", "{", "try", "{", "Process", "process", "=", "getProcessDefinition", "(", "processInstanceVO", ")", ";", "edao", ".", "setProcessInstanc...
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 @param processInstanceVO
[ "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"...
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L561-L603
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.failActivityInstance
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; } }
java
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; } }
[ "void", "failActivityInstance", "(", "InternalEvent", "event", ",", "ProcessInstance", "processInst", ",", "Long", "activityId", ",", "Long", "activityInstId", ",", "BaseActivity", "activity", ",", "Throwable", "cause", ")", "throws", "DataAccessException", ",", "MdwE...
Reports the error status of the activity instance to the activity manager
[ "Reports", "the", "error", "status", "of", "the", "activity", "instance", "to", "the", "activity", "manager" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L621-L649
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.findTaskActionWorkTransition
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) { // try upper case workTransVO = processVO.getTransition(activityInstance.getActivityId(), EventType.RESUME, taskAction.toUpperCase()); } if (workTransVO == null) { workTransVO = processVO.getTransition(activityInstance.getActivityId(), EventType.FINISH, taskAction); } return workTransVO; }
java
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) { // try upper case workTransVO = processVO.getTransition(activityInstance.getActivityId(), EventType.RESUME, taskAction.toUpperCase()); } if (workTransVO == null) { workTransVO = processVO.getTransition(activityInstance.getActivityId(), EventType.FINISH, taskAction); } return workTransVO; }
[ "private", "Transition", "findTaskActionWorkTransition", "(", "ProcessInstance", "parentInstance", ",", "ActivityInstance", "activityInstance", ",", "String", "taskAction", ")", "{", "if", "(", "taskAction", "==", "null", ")", "return", "null", ";", "Process", "proces...
Look up the appropriate work transition for an embedded exception handling subprocess. @param parentInstance the parent process @param activityInstance the activity in the main process @param taskAction the selected task action @return the matching work transition, if found
[ "Look", "up", "the", "appropriate", "work", "transition", "for", "an", "embedded", "exception", "handling", "subprocess", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L1260-L1275
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.cancelProcessInstanceTree
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); }
java
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); }
[ "private", "void", "cancelProcessInstanceTree", "(", "ProcessInstance", "pi", ")", "throws", "Exception", "{", "if", "(", "pi", ".", "getStatusCode", "(", ")", ".", "equals", "(", "WorkStatus", ".", "STATUS_COMPLETED", ")", "||", "pi", ".", "getStatusCode", "(...
Cancels the process instance as well as all descendant process instances. Deregisters associated event wait instances.
[ "Cancels", "the", "process", "instance", "as", "well", "as", "all", "descendant", "process", "instances", ".", "Deregisters", "associated", "event", "wait", "instances", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L1561-L1578
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.cancelProcessInstance
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); }
java
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); }
[ "private", "void", "cancelProcessInstance", "(", "ProcessInstance", "pProcessInst", ")", "throws", "Exception", "{", "edao", ".", "cancelTransitionInstances", "(", "pProcessInst", ".", "getId", "(", ")", ",", "\"ProcessInstance has been cancelled.\"", ",", "null", ")", ...
Cancels a single process instance. It cancels all active transition instances, all event wait instances, and sets the process instance into canceled status. The method does not cancel task instances @param pProcessInst @return new WorkInstance
[ "Cancels", "a", "single", "process", "instance", ".", "It", "cancels", "all", "active", "transition", "instances", "all", "event", "wait", "instances", "and", "sets", "the", "process", "instance", "into", "canceled", "status", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L1590-L1597
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java
ProcessExecutorImpl.resumeActivityInstance
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) { // should be always true 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); } }
java
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) { // should be always true 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); } }
[ "private", "void", "resumeActivityInstance", "(", "ActivityInstance", "actInst", ",", "String", "pCompletionCode", ",", "Long", "documentId", ",", "String", "message", ",", "int", "delay", ")", "throws", "MdwException", ",", "SQLException", "{", "ProcessInstance", "...
Sends a RESUME internal event to resume the activity instance. This may be called in the following cases: 1) received an external event (including the case the message is received before registration) In this case, the argument message is populated. 2) when register even wait instance, and the even has already arrived. In this case the argument message null.
[ "Sends", "a", "RESUME", "internal", "event", "to", "resume", "the", "activity", "instance", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutorImpl.java#L1807-L1831
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/activity/template/VelocityTemplateActivity.java
VelocityTemplateActivity.createVelocityContext
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"); // XMLToolboxManager toolboxManager = new XMLToolboxManager(); // toolboxManager.load(FileHelper.fileInputStreamFromClasspath(toolboxFile)); // context = new VelocityContext(toolboxManager.getToolbox(toolboxFile)); } 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); } }
java
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"); // XMLToolboxManager toolboxManager = new XMLToolboxManager(); // toolboxManager.load(FileHelper.fileInputStreamFromClasspath(toolboxFile)); // context = new VelocityContext(toolboxManager.getToolbox(toolboxFile)); } 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); } }
[ "protected", "VelocityContext", "createVelocityContext", "(", ")", "throws", "ActivityException", "{", "try", "{", "VelocityContext", "context", "=", "null", ";", "String", "toolboxFile", "=", "getAttributeValueSmart", "(", "VELOCITY_TOOLBOX_FILE", ")", ";", "if", "("...
Creates the velocity context, adding process variables as parameters.
[ "Creates", "the", "velocity", "context", "adding", "process", "variables", "as", "parameters", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/activity/template/VelocityTemplateActivity.java#L162-L189
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/activity/template/VelocityTemplateActivity.java
VelocityTemplateActivity.getAdditionalScriptBindings
protected Map<String,Object> getAdditionalScriptBindings() { Map<String,Object> addlBindings = new HashMap<String,Object>(1); addlBindings.put(VELOCITY_OUTPUT, velocityOutput); return addlBindings; }
java
protected Map<String,Object> getAdditionalScriptBindings() { Map<String,Object> addlBindings = new HashMap<String,Object>(1); addlBindings.put(VELOCITY_OUTPUT, velocityOutput); return addlBindings; }
[ "protected", "Map", "<", "String", ",", "Object", ">", "getAdditionalScriptBindings", "(", ")", "{", "Map", "<", "String", ",", "Object", ">", "addlBindings", "=", "new", "HashMap", "<", "String", ",", "Object", ">", "(", "1", ")", ";", "addlBindings", "...
Gets additional bindings for script execution, adding the velocity output string as a special bind value.
[ "Gets", "additional", "bindings", "for", "script", "execution", "adding", "the", "velocity", "output", "string", "as", "a", "special", "bind", "value", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/activity/template/VelocityTemplateActivity.java#L195-L199
train
CenturyLinkCloud/mdw
mdw-workflow/assets/com/centurylink/mdw/camel/DefaultNotifyHandler.java
DefaultNotifyHandler.handleEventMessage
public String handleEventMessage(String message, Object messageObj, Map<String,String> metaInfo) throws EventHandlerException { return null; }
java
public String handleEventMessage(String message, Object messageObj, Map<String,String> metaInfo) throws EventHandlerException { return null; }
[ "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.
[ "This", "is", "for", "non", "-", "Camel", "style", "event", "handlers", ".", "It", "is", "not", "used", "here", ".", "Overriding", "has", "no", "effect", "in", "the", "context", "of", "a", "Camel", "route", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/assets/com/centurylink/mdw/camel/DefaultNotifyHandler.java#L94-L96
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/event/ScheduledEventQueue.java
ScheduledEventQueue.scheduleInternalEvent
public void scheduleInternalEvent(String name, Date time, String message, String reference) { schedule(name, time, message, reference); }
java
public void scheduleInternalEvent(String name, Date time, String message, String reference) { schedule(name, time, message, reference); }
[ "public", "void", "scheduleInternalEvent", "(", "String", "name", ",", "Date", "time", ",", "String", "message", ",", "String", "reference", ")", "{", "schedule", "(", "name", ",", "time", ",", "message", ",", "reference", ")", ";", "}" ]
Schedule a timer task, or a delayed event @param name event name @param time this must be database time (such as new Date(DatabaseAccess.getCurrentTime()+difference_in_milliseconds) @param message message content for delayed event; null o/w
[ "Schedule", "a", "timer", "task", "or", "a", "delayed", "event" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/event/ScheduledEventQueue.java#L171-L173
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/BaseData.java
BaseData.get
@Override @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); } }
java
@Override @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); } }
[ "@", "Override", "@", "Path", "(", "\"/{dataType}\"", ")", "public", "JSONObject", "get", "(", "String", "path", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "ServiceException", ",", "JSONException", "{", "String", "dataType", "="...
Retrieve variableTypes or taskCategories.
[ "Retrieve", "variableTypes", "or", "taskCategories", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/BaseData.java#L68-L99
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/activity/process/InvokeSubProcessActivity.java
InvokeSubProcessActivity.getProcInstFromDB
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); } }
java
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); } }
[ "private", "ProcessInstance", "getProcInstFromDB", "(", "Long", "procInstId", ")", "throws", "DataAccessException", "{", "TransactionWrapper", "transaction", "=", "null", ";", "EngineDataAccessDB", "edao", "=", "new", "EngineDataAccessDB", "(", ")", ";", "try", "{", ...
Method to get the Process Instance from the database @param procInstId @return @throws DataAccessException
[ "Method", "to", "get", "the", "Process", "Instance", "from", "the", "database" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/activity/process/InvokeSubProcessActivity.java#L331-L343
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/user/ContextEmailRecipients.java
ContextEmailRecipients.getRecipients
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; }
java
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; }
[ "public", "List", "<", "String", ">", "getRecipients", "(", "String", "workgroupsAttr", ",", "String", "expressionAttr", ")", "throws", "DataAccessException", ",", "ParseException", "{", "List", "<", "String", ">", "recipients", "=", "new", "ArrayList", "<>", "(...
Default behavior returns the UNION of addresses specified via the expression attribute along with those specified by the designated workgroups attribute.
[ "Default", "behavior", "returns", "the", "UNION", "of", "addresses", "specified", "via", "the", "expression", "attribute", "along", "with", "those", "specified", "by", "the", "designated", "workgroups", "attribute", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/user/ContextEmailRecipients.java#L41-L68
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/listener/FallbackEventHandler.java
FallbackEventHandler.printServerInfo
@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"); // above line need WLS admin!!! address = (String)server.getAttribute(machine, "ListenAddress"); System.out.println(" - hostname: " + address); } if (ctx!=null) return; }catch(Exception ex){ ex.printStackTrace(); } }
java
@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"); // above line need WLS admin!!! address = (String)server.getAttribute(machine, "ListenAddress"); System.out.println(" - hostname: " + address); } if (ctx!=null) return; }catch(Exception ex){ ex.printStackTrace(); } }
[ "@", "SuppressWarnings", "(", "\"unused\"", ")", "private", "void", "printServerInfo", "(", ")", "{", "Context", "ctx", ";", "try", "{", "ctx", "=", "new", "InitialContext", "(", ")", ";", "MBeanServer", "server", "=", "(", "MBeanServer", ")", "ctx", ".", ...
tried to access machine but that need WLS admin credential, so have not tried further
[ "tried", "to", "access", "machine", "but", "that", "need", "WLS", "admin", "credential", "so", "have", "not", "tried", "further" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/listener/FallbackEventHandler.java#L211-L238
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/report/MetricDataList.java
MetricDataList.getAverages
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()); }
java
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()); }
[ "public", "List", "<", "Metric", ">", "getAverages", "(", "int", "span", ")", "{", "Map", "<", "String", ",", "Metric", ">", "accum", "=", "new", "LinkedHashMap", "<>", "(", ")", ";", "int", "count", "=", "span", "/", "period", ";", "if", "(", "cou...
Accumulated averages.
[ "Accumulated", "averages", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/report/MetricDataList.java#L57-L79
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/report/MetricDataList.java
MetricDataList.getData
public List<MetricData> getData(int span) { int count = span / period; if (dataList.size() < count) { if (dataList.isEmpty()) { return dataList; } else { // left-pad 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); } }
java
public List<MetricData> getData(int span) { int count = span / period; if (dataList.size() < count) { if (dataList.isEmpty()) { return dataList; } else { // left-pad 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); } }
[ "public", "List", "<", "MetricData", ">", "getData", "(", "int", "span", ")", "{", "int", "count", "=", "span", "/", "period", ";", "if", "(", "dataList", ".", "size", "(", ")", "<", "count", ")", "{", "if", "(", "dataList", ".", "isEmpty", "(", ...
Returns a left-padded list.
[ "Returns", "a", "left", "-", "padded", "list", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/report/MetricDataList.java#L84-L109
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java
MiniCrypter.encrypt
public static String encrypt(String input) { try { return encrypt(input, null); } catch (GeneralSecurityException e) { e.printStackTrace(); return null; } }
java
public static String encrypt(String input) { try { return encrypt(input, null); } catch (GeneralSecurityException e) { e.printStackTrace(); return null; } }
[ "public", "static", "String", "encrypt", "(", "String", "input", ")", "{", "try", "{", "return", "encrypt", "(", "input", ",", "null", ")", ";", "}", "catch", "(", "GeneralSecurityException", "e", ")", "{", "e", ".", "printStackTrace", "(", ")", ";", "...
Encrypt a string using a default key @param input data to encrypt @return encrypted string
[ "Encrypt", "a", "string", "using", "a", "default", "key" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java#L35-L42
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java
MiniCrypter.encrypt
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); }
java
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); }
[ "public", "static", "String", "encrypt", "(", "String", "input", ",", "String", "strkey", ")", "throws", "GeneralSecurityException", "{", "SecretKey", "key", ";", "if", "(", "strkey", "!=", "null", ")", "{", "if", "(", "strkey", ".", "length", "(", ")", ...
Encrypt a string @param input data to encrypt @param strkey a default key will be used when passing null in @return encrypted string
[ "Encrypt", "a", "string" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java#L50-L68
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java
MiniCrypter.decrypt
public static String decrypt(String encrypted) { try { return decrypt(encrypted, null); } catch (GeneralSecurityException e) { e.printStackTrace(); return null; } }
java
public static String decrypt(String encrypted) { try { return decrypt(encrypted, null); } catch (GeneralSecurityException e) { e.printStackTrace(); return null; } }
[ "public", "static", "String", "decrypt", "(", "String", "encrypted", ")", "{", "try", "{", "return", "decrypt", "(", "encrypted", ",", "null", ")", ";", "}", "catch", "(", "GeneralSecurityException", "e", ")", "{", "e", ".", "printStackTrace", "(", ")", ...
Decrypt a string using the default key @param encrypted encrypted string to be decrypted @return decrypted original data
[ "Decrypt", "a", "string", "using", "the", "default", "key" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/MiniCrypter.java#L75-L82
train
CenturyLinkCloud/mdw
mdw-hub/src/com/centurylink/mdw/hub/context/Mdw.java
Mdw.getHubOverride
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; }
java
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; }
[ "public", "File", "getHubOverride", "(", "String", "path", ")", "throws", "IOException", "{", "if", "(", "getOverrideRoot", "(", ")", "!=", "null", ")", "{", "File", "hubOverride", "=", "new", "File", "(", "getOverrideRoot", "(", ")", "+", "path", ")", "...
Finds overridden hub artifacts among assets. Core dev override is also supported for vanilla hub development.
[ "Finds", "overridden", "hub", "artifacts", "among", "assets", ".", "Core", "dev", "override", "is", "also", "supported", "for", "vanilla", "hub", "development", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-hub/src/com/centurylink/mdw/hub/context/Mdw.java#L105-L117
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java
SoapWebServiceAdapter.getRequestData
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) { // nothing returned; requestVar may have been assigned by script 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); } }
java
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) { // nothing returned; requestVar may have been assigned by script 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); } }
[ "protected", "String", "getRequestData", "(", ")", "throws", "ActivityException", "{", "Object", "request", "=", "null", ";", "String", "requestVarName", "=", "getAttributeValue", "(", "REQUEST_VARIABLE", ")", ";", "if", "(", "requestVarName", "==", "null", ")", ...
Builds the request XML.
[ "Builds", "the", "request", "XML", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java#L86-L123
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java
SoapWebServiceAdapter.onSuccess
@Override public void onSuccess(String response) throws ActivityException, ConnectionException, AdapterException { try { // set the variable value based on the unwrapped soap content 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); } }
java
@Override public void onSuccess(String response) throws ActivityException, ConnectionException, AdapterException { try { // set the variable value based on the unwrapped soap content 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); } }
[ "@", "Override", "public", "void", "onSuccess", "(", "String", "response", ")", "throws", "ActivityException", ",", "ConnectionException", ",", "AdapterException", "{", "try", "{", "// set the variable value based on the unwrapped soap content", "soapResponse", "=", "getSoa...
Overriding this method affords the opportunity to parse the response and populate process variables as needed.
[ "Overriding", "this", "method", "affords", "the", "opportunity", "to", "parse", "the", "response", "and", "populate", "process", "variables", "as", "needed", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java#L201-L233
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java
SoapWebServiceAdapter.getSoapAction
protected String getSoapAction() { String soapAction = null; try { soapAction = getAttributeValueSmart(SOAP_ACTION); } catch (PropertyException ex) { logger.severeException(ex.getMessage(), ex); } if (soapAction == null) { // required by SOAP 1.1 (http://www.w3.org/TR/soap11/#_Toc478383528) String soapVersion = getSoapVersion(); if (soapVersion != null && soapVersion.equals(SOAP_VERSION_11)) soapAction = ""; } return soapAction; }
java
protected String getSoapAction() { String soapAction = null; try { soapAction = getAttributeValueSmart(SOAP_ACTION); } catch (PropertyException ex) { logger.severeException(ex.getMessage(), ex); } if (soapAction == null) { // required by SOAP 1.1 (http://www.w3.org/TR/soap11/#_Toc478383528) String soapVersion = getSoapVersion(); if (soapVersion != null && soapVersion.equals(SOAP_VERSION_11)) soapAction = ""; } return soapAction; }
[ "protected", "String", "getSoapAction", "(", ")", "{", "String", "soapAction", "=", "null", ";", "try", "{", "soapAction", "=", "getAttributeValueSmart", "(", "SOAP_ACTION", ")", ";", "}", "catch", "(", "PropertyException", "ex", ")", "{", "logger", ".", "se...
The SOAPAction HTTP request header value.
[ "The", "SOAPAction", "HTTP", "request", "header", "value", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/soap/SoapWebServiceAdapter.java#L323-L340
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/activity/event/EventWaitActivity.java
EventWaitActivity.processMessage
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; } }
java
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; } }
[ "protected", "void", "processMessage", "(", "String", "message", ")", "throws", "ActivityException", "{", "try", "{", "String", "rcvdMsgDocVar", "=", "getAttributeValueSmart", "(", "RECEIVED_MESSAGE_DOC_VAR", ")", ";", "if", "(", "rcvdMsgDocVar", "!=", "null", "&&",...
You should override this method to process event messages. The default method does nothing if Received Message Variable is not defined and returns WorkStatus.STATUS_COMPLETED. If Received Message Variable is defined then it would store the received message in that pre-defined document variable Process Designer has to define a Document type variable in order to store the message received When the method returns WorkStatus.STATUS_COMPLETED, the engine will complete the activity and move on. By default, the transition is determined based on null completion code and FINISH event type. You can change the completion code by using the method this.setReturnCode(). You can also change the event type from FINISH to ABORT, CORRECT and DELAY, by prepending the completion code with "ABORT:", "CORRECT:" and "DELAY:", respectively. Examples are "ABORT:my-return-code" and "CORRECT:". You can leave the activity in a status other than WorkStatus.STATUS_COMPLETED by returning a different status code. If WorkStatus.STATUS_WAITING is returned, your overridden method needs to re-register the events to be waited on. The work flow does not transition away and the completion code is ignored. You can also return WorkStatus.STATUS_HOLD or return WorkStatus.STATUS_CANCELLED. @return see above @param message @throws ActivityException
[ "You", "should", "override", "this", "method", "to", "process", "event", "messages", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/activity/event/EventWaitActivity.java#L188-L206
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/activity/event/EventWaitActivity.java
EventWaitActivity.updateSLA
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); } }
java
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); } }
[ "protected", "void", "updateSLA", "(", "int", "seconds", ")", "throws", "ActivityException", "{", "try", "{", "ProcessExecutor", "engine", "=", "this", ".", "getEngine", "(", ")", ";", "super", ".", "loginfo", "(", "\"Update activity timeout as \"", "+", "second...
Update SLA of this @param seconds number of seconds from now as the new SLA @throws ActivityException
[ "Update", "SLA", "of", "this" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/activity/event/EventWaitActivity.java#L258-L270
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/Values.java
Values.get
@Override @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) // fall back to parameter ownerType = parameters.get("ownerType"); if (ownerType == null) throw new ServiceException("Missing path segment: {ownerType}"); String ownerId = getSegment(path, 2); if (ownerId == null) // fall back to parameter 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; }
java
@Override @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) // fall back to parameter ownerType = parameters.get("ownerType"); if (ownerType == null) throw new ServiceException("Missing path segment: {ownerType}"); String ownerId = getSegment(path, 2); if (ownerId == null) // fall back to parameter 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; }
[ "@", "Override", "@", "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",...
Retrieve values.
[ "Retrieve", "values", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/Values.java#L60-L84
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/Values.java
Values.post
@Override @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); }
java
@Override @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); }
[ "@", "Override", "@", "Path", "(", "\"/{ownerType}/{ownerId}\"", ")", "@", "ApiOperation", "(", "value", "=", "\"Create values for an ownerType and ownerId\"", ",", "response", "=", "StatusMessage", ".", "class", ")", "@", "ApiImplicitParams", "(", "{", "@", "ApiImp...
Create values for owner type and id.
[ "Create", "values", "for", "owner", "type", "and", "id", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/Values.java#L89-L97
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/Values.java
Values.put
@Override @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) { // update values, without deleting all other values for that ownerId workflowServices.updateValues(ownerType, ownerId, values); } else { workflowServices.setValues(ownerType, ownerId, values); } return null; } catch (JSONException ex) { throw new ServiceException(ex.getMessage(), ex); } }
java
@Override @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) { // update values, without deleting all other values for that ownerId workflowServices.updateValues(ownerType, ownerId, values); } else { workflowServices.setValues(ownerType, ownerId, values); } return null; } catch (JSONException ex) { throw new ServiceException(ex.getMessage(), ex); } }
[ "@", "Override", "@", "Path", "(", "\"/{ownerType}/{ownerId}\"", ")", "@", "ApiOperation", "(", "value", "=", "\"Update values for an ownerType and ownerId\"", ",", "response", "=", "StatusMessage", ".", "class", ")", "@", "ApiImplicitParams", "(", "{", "@", "ApiImp...
Update values for owner type and id. Existing values are always overwritten.
[ "Update", "values", "for", "owner", "type", "and", "id", ".", "Existing", "values", "are", "always", "overwritten", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/Values.java#L103-L147
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/Values.java
Values.delete
@Override @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); }
java
@Override @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); }
[ "@", "Override", "@", "Path", "(", "\"/{ownerType}/{ownerId}\"", ")", "@", "ApiOperation", "(", "value", "=", "\"Delete values for an ownerType and ownerId\"", ",", "response", "=", "StatusMessage", ".", "class", ")", "public", "JSONObject", "delete", "(", "String", ...
Delete values for owner type and id.
[ "Delete", "values", "for", "owner", "type", "and", "id", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/Values.java#L152-L159
train
CenturyLinkCloud/mdw
mdw-hub/src/com/centurylink/mdw/hub/servlet/AttachmentServlet.java
AttachmentServlet.authorize
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); } }
java
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); } }
[ "private", "void", "authorize", "(", "HttpSession", "session", ",", "Action", "action", ",", "Entity", "entity", ",", "String", "location", ")", "throws", "AuthorizationException", ",", "DataAccessException", "{", "AuthenticatedUser", "user", "=", "(", "Authenticate...
Also audit logs create and delete.
[ "Also", "audit", "logs", "create", "and", "delete", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-hub/src/com/centurylink/mdw/hub/servlet/AttachmentServlet.java#L161-L181
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java
AssetServicesImpl.getAssets
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); } }
java
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); } }
[ "public", "PackageAssets", "getAssets", "(", "String", "packageName", ",", "boolean", "withVcsInfo", ")", "throws", "ServiceException", "{", "try", "{", "PackageDir", "pkgDir", "=", "getPackageDir", "(", "packageName", ")", ";", "if", "(", "pkgDir", "==", "null"...
Returns all the assets for the specified package. Does not use the AssetCache.
[ "Returns", "all", "the", "assets", "for", "the", "specified", "package", ".", "Does", "not", "use", "the", "AssetCache", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java#L138-L172
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java
AssetServicesImpl.findPackageDirs
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; }
java
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; }
[ "private", "List", "<", "PackageDir", ">", "findPackageDirs", "(", "List", "<", "File", ">", "dirs", ",", "List", "<", "File", ">", "excludes", ")", "throws", "IOException", ",", "DataAccessException", "{", "List", "<", "PackageDir", ">", "pkgSubDirs", "=", ...
Finds the next level of sibling PackageDirs under a set of non-package dirs.
[ "Finds", "the", "next", "level", "of", "sibling", "PackageDirs", "under", "a", "set", "of", "non", "-", "package", "dirs", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java#L350-L372
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java
AssetServicesImpl.getAssetVersionControl
private VersionControl getAssetVersionControl() throws IOException, DataAccessException { VersionControl vc = getVersionControl(); if (vc == null) vc = DataAccess.getAssetVersionControl(assetRoot); return vc; }
java
private VersionControl getAssetVersionControl() throws IOException, DataAccessException { VersionControl vc = getVersionControl(); if (vc == null) vc = DataAccess.getAssetVersionControl(assetRoot); return vc; }
[ "private", "VersionControl", "getAssetVersionControl", "(", ")", "throws", "IOException", ",", "DataAccessException", "{", "VersionControl", "vc", "=", "getVersionControl", "(", ")", ";", "if", "(", "vc", "==", "null", ")", "vc", "=", "DataAccess", ".", "getAsse...
Falls back to DataAccess version control for asset versioning.
[ "Falls", "back", "to", "DataAccess", "version", "control", "for", "asset", "versioning", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java#L483-L488
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java
AssetServicesImpl.getImplAsset
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; }
java
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; }
[ "public", "AssetInfo", "getImplAsset", "(", "String", "className", ")", "throws", "ServiceException", "{", "int", "lastDot", "=", "className", ".", "lastIndexOf", "(", "'", "'", ")", ";", "if", "(", "lastDot", ">", "0", "&&", "lastDot", "<", "className", "...
Returns either Java or Kotlin asset implementor for a class. Null if not found.
[ "Returns", "either", "Java", "or", "Kotlin", "asset", "implementor", "for", "a", "class", ".", "Null", "if", "not", "found", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/asset/AssetServicesImpl.java#L553-L562
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/config/YamlPropertyManager.java
YamlPropertyManager.getValue
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; }
java
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; }
[ "private", "String", "getValue", "(", "String", "name", ")", "{", "for", "(", "YamlProperties", "yamlProp", ":", "yamlProps", ")", "{", "String", "value", "=", "yamlProp", ".", "getString", "(", "name", ")", ";", "if", "(", "value", "!=", "null", ")", ...
Reads flat or structured values from yaml. If not found, fall back to java properties.
[ "Reads", "flat", "or", "structured", "values", "from", "yaml", ".", "If", "not", "found", "fall", "back", "to", "java", "properties", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/config/YamlPropertyManager.java#L214-L228
train
CenturyLinkCloud/mdw
mdw-workflow/assets/com/centurylink/mdw/kotlin/KotlinAccess.java
KotlinAccess.putScript
public static void putScript(String name, KotlinCompiledScript script) { getInstance().scripts.put(name, script); }
java
public static void putScript(String name, KotlinCompiledScript script) { getInstance().scripts.put(name, script); }
[ "public", "static", "void", "putScript", "(", "String", "name", ",", "KotlinCompiledScript", "script", ")", "{", "getInstance", "(", ")", ".", "scripts", ".", "put", "(", "name", ",", "script", ")", ";", "}" ]
Must be public for access from Kotlin.
[ "Must", "be", "public", "for", "access", "from", "Kotlin", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/assets/com/centurylink/mdw/kotlin/KotlinAccess.java#L69-L71
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/TextAdapterActivity.java
TextAdapterActivity.handleConnectionException
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); // the above is to prevent engine from making transitions (typically to exception handler) throw new ActivityException(errorCode, originalCause.getMessage(), originalCause); }
java
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); // the above is to prevent engine from making transitions (typically to exception handler) throw new ActivityException(errorCode, originalCause.getMessage(), originalCause); }
[ "protected", "void", "handleConnectionException", "(", "int", "errorCode", ",", "Throwable", "originalCause", ")", "throws", "ActivityException", "{", "InternalEvent", "message", "=", "InternalEvent", ".", "createActivityStartMessage", "(", "getActivityId", "(", ")", ",...
Typically you should not override this method. ConnectionPoolAdapter does override this with internal MDW logic. @param errorCode @throws ActivityException
[ "Typically", "you", "should", "not", "override", "this", "method", ".", "ConnectionPoolAdapter", "does", "override", "this", "with", "internal", "MDW", "logic", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/TextAdapterActivity.java#L414-L428
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/TextAdapterActivity.java
TextAdapterActivity.directInvoke
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); } }
java
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); } }
[ "public", "Response", "directInvoke", "(", "String", "request", ",", "int", "timeout", ",", "Map", "<", "String", ",", "String", ">", "meta_data", ")", "throws", "AdapterException", ",", "ConnectionException", "{", "init", "(", ")", ";", "if", "(", "logger",...
This method is used for directly invoke the adapter activity from code, rather than as part of process execution flow.
[ "This", "method", "is", "used", "for", "directly", "invoke", "the", "adapter", "activity", "from", "code", "rather", "than", "as", "part", "of", "process", "execution", "flow", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/TextAdapterActivity.java#L656-L669
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java
ProcessExecutor.createTransitionInstance
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); } }
java
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); } }
[ "public", "TransitionInstance", "createTransitionInstance", "(", "Transition", "transition", ",", "Long", "pProcessInstId", ")", "throws", "DataAccessException", "{", "TransactionWrapper", "transaction", "=", "null", ";", "try", "{", "transaction", "=", "startTransaction"...
Creates a new instance of the WorkTransationInstance entity @param transition @param pProcessInstId @return WorkTransitionInstance object
[ "Creates", "a", "new", "instance", "of", "the", "WorkTransationInstance", "entity" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java#L631-L647
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java
ProcessExecutor.lockActivityInstance
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); } }
java
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); } }
[ "public", "Integer", "lockActivityInstance", "(", "Long", "actInstId", ")", "throws", "DataAccessException", "{", "try", "{", "if", "(", "!", "isInTransaction", "(", ")", ")", "throw", "new", "DataAccessException", "(", "\"Cannot lock activity instance without a transac...
This method must be called within the same transaction scope (namely engine is already started @param actInstId @throws DataAccessException
[ "This", "method", "must", "be", "called", "within", "the", "same", "transaction", "scope", "(", "namely", "engine", "is", "already", "started" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java#L1168-L1177
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java
ProcessExecutor.lockProcessInstance
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); } }
java
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); } }
[ "public", "Integer", "lockProcessInstance", "(", "Long", "procInstId", ")", "throws", "DataAccessException", "{", "try", "{", "if", "(", "!", "isInTransaction", "(", ")", ")", "throw", "new", "DataAccessException", "(", "\"Cannot lock activity instance without a transac...
this method must be called within the same transaction scope (namely engine is already started @param procInstId @throws DataAccessException
[ "this", "method", "must", "be", "called", "within", "the", "same", "transaction", "scope", "(", "namely", "engine", "is", "already", "started" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/process/ProcessExecutor.java#L1184-L1193
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/GitVcs.java
GitVcs.get
@Override @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(); }
java
@Override @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(); }
[ "@", "Override", "@", "Path", "(", "\"{package}/{asset}\"", ")", "public", "JSONObject", "get", "(", "String", "assetPath", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "ServiceException", ",", "JSONException", "{", "AssetServices", ...
Retrieves commit info for an asset.
[ "Retrieves", "commit", "info", "for", "an", "asset", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/GitVcs.java#L91-L102
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/timer/CodeTimer.java
CodeTimer.getDurationMicro
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; }
java
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; }
[ "public", "long", "getDurationMicro", "(", ")", "{", "if", "(", "startNano", "!=", "0", ")", "{", "if", "(", "running", ")", "return", "(", "(", "long", ")", "(", "System", ".", "nanoTime", "(", ")", "-", "startNano", ")", ")", "/", "1000", ";", ...
Timer duration in microseconds.
[ "Timer", "duration", "in", "microseconds", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/timer/CodeTimer.java#L78-L86
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java
TaskTemplateCache.getTemplateForName
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; }
java
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; }
[ "public", "static", "TaskTemplate", "getTemplateForName", "(", "String", "taskName", ")", "{", "for", "(", "int", "i", "=", "0", ";", "i", "<", "taskVoCache", ".", "size", "(", ")", ";", "i", "++", ")", "{", "TaskTemplate", "task", "=", "taskVoCache", ...
Return the latest task for the given name.
[ "Return", "the", "latest", "task", "for", "the", "given", "name", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java#L89-L97
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java
TaskTemplateCache.getTaskTemplate
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; }
java
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; }
[ "public", "static", "TaskTemplate", "getTaskTemplate", "(", "String", "logicalId", ")", "{", "for", "(", "int", "i", "=", "0", ";", "i", "<", "taskVoCache", ".", "size", "(", ")", ";", "i", "++", ")", "{", "TaskTemplate", "task", "=", "taskVoCache", "....
Return the latest task id for the given logical ID
[ "Return", "the", "latest", "task", "id", "for", "the", "given", "logical", "ID" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java#L126-L134
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java
TaskTemplateCache.getTaskTemplate
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 didn't find, check ASSET_REF DB table to retrieve from git history 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; }
java
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 didn't find, check ASSET_REF DB table to retrieve from git history 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; }
[ "public", "static", "TaskTemplate", "getTaskTemplate", "(", "AssetVersionSpec", "assetVersionSpec", ")", "throws", "Exception", "{", "TaskTemplate", "taskTemplate", "=", "templateVersions", ".", "get", "(", "assetVersionSpec", ".", "toString", "(", ")", ")", ";", "i...
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. @throws Exception
[ "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", ...
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/data/task/TaskTemplateCache.java#L144-L171
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/api/SwaggerAnnotationsReader.java
SwaggerAnnotationsReader.read
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); } }
java
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); } }
[ "public", "static", "void", "read", "(", "Swagger", "swagger", ",", "Set", "<", "Class", "<", "?", ">", ">", "classes", ")", "{", "final", "SwaggerAnnotationsReader", "reader", "=", "new", "SwaggerAnnotationsReader", "(", "swagger", ")", ";", "for", "(", "...
Scans a set of classes for Swagger annotations. @param swagger is the Swagger instance @param classes are a set of classes to scan
[ "Scans", "a", "set", "of", "classes", "for", "Swagger", "annotations", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/api/SwaggerAnnotationsReader.java#L65-L72
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/cloud/CloudClassLoader.java
CloudClassLoader.getResourceAsStream
@Override 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); }
java
@Override 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); }
[ "@", "Override", "public", "InputStream", "getResourceAsStream", "(", "String", "name", ")", "{", "byte", "[", "]", "b", "=", "null", ";", "try", "{", "Asset", "resource", "=", "AssetCache", ".", "getAsset", "(", "mdwPackage", ".", "getName", "(", ")", "...
This is used by XMLBeans for loading the type system.
[ "This", "is", "used", "by", "XMLBeans", "for", "loading", "the", "type", "system", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/cloud/CloudClassLoader.java#L306-L326
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/event/InternalEvent.java
InternalEvent.createEventParameters
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; }
java
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; }
[ "private", "EventParameters", "createEventParameters", "(", "Map", "<", "String", ",", "String", ">", "pParams", ")", "{", "EventParameters", "evParams", "=", "EventParameters", ".", "Factory", ".", "newInstance", "(", ")", ";", "for", "(", "String", "name", "...
Method that creates the event params based on the passed in Map @param pParams @return EventParameters
[ "Method", "that", "creates", "the", "event", "params", "based", "on", "the", "passed", "in", "Map" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/event/InternalEvent.java#L104-L117
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/event/InternalEvent.java
InternalEvent.createActivityNotifyMessage
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; }
java
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; }
[ "public", "static", "InternalEvent", "createActivityNotifyMessage", "(", "ActivityInstance", "ai", ",", "Integer", "eventType", ",", "String", "masterRequestId", ",", "String", "compCode", ")", "{", "InternalEvent", "event", "=", "new", "InternalEvent", "(", ")", ";...
create activity FINISH, ABORT, RESUME, CORRECT, ERROR and any event type that can be specified in designer configuration for events. @param ai @param eventType @param masterRequestId @param compCode @return
[ "create", "activity", "FINISH", "ABORT", "RESUME", "CORRECT", "ERROR", "and", "any", "event", "type", "that", "can", "be", "specified", "in", "designer", "configuration", "for", "events", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/event/InternalEvent.java#L225-L237
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/TransactionUtil.java
TransactionUtil.getTransaction
public Transaction getTransaction() { try { return getTransactionManager().getTransaction(); } catch (Exception ex) { StandardLogger logger = LoggerUtil.getStandardLogger(); logger.severeException(ex.getMessage(), ex); return null; } }
java
public Transaction getTransaction() { try { return getTransactionManager().getTransaction(); } catch (Exception ex) { StandardLogger logger = LoggerUtil.getStandardLogger(); logger.severeException(ex.getMessage(), ex); return null; } }
[ "public", "Transaction", "getTransaction", "(", ")", "{", "try", "{", "return", "getTransactionManager", "(", ")", ".", "getTransaction", "(", ")", ";", "}", "catch", "(", "Exception", "ex", ")", "{", "StandardLogger", "logger", "=", "LoggerUtil", ".", "getS...
Returns the current transaction
[ "Returns", "the", "current", "transaction" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/TransactionUtil.java#L45-L54
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/TransactionUtil.java
TransactionUtil.getTransactionManager
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; }
java
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; }
[ "public", "TransactionManager", "getTransactionManager", "(", ")", "{", "TransactionManager", "transMgr", "=", "null", ";", "try", "{", "String", "jndiName", "=", "ApplicationContext", ".", "getNamingProvider", "(", ")", ".", "getTransactionManagerName", "(", ")", "...
Returns transaction manager
[ "Returns", "transaction", "manager" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/TransactionUtil.java#L59-L70
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/user/User.java
User.belongsToGroup
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; }
java
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; }
[ "public", "boolean", "belongsToGroup", "(", "String", "groupName", ")", "{", "if", "(", "workgroups", "==", "null", "||", "workgroups", ".", "length", "==", "0", ")", "{", "return", "false", ";", "}", "for", "(", "Workgroup", "g", ":", "workgroups", ")",...
Check whether user belongs to the specified group
[ "Check", "whether", "user", "belongs", "to", "the", "specified", "group" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/user/User.java#L239-L247
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/user/User.java
User.addRoleForGroup
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); }
java
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); }
[ "public", "void", "addRoleForGroup", "(", "String", "groupName", ",", "String", "roleName", ")", "{", "if", "(", "workgroups", "==", "null", ")", "{", "workgroups", "=", "new", "Workgroup", "[", "1", "]", ";", "workgroups", "[", "0", "]", "=", "new", "...
This is only used when UserVO is a member of UserGroupVO. Only that group is populated as a substructure to store roles. @param groupId @param roleName
[ "This", "is", "only", "used", "when", "UserVO", "is", "a", "member", "of", "UserGroupVO", ".", "Only", "that", "group", "is", "populated", "as", "a", "substructure", "to", "store", "roles", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/user/User.java#L289-L300
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/user/User.java
User.parseName
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); } } }
java
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); } } }
[ "public", "void", "parseName", "(", ")", "{", "if", "(", "getName", "(", ")", "!=", "null", ")", "{", "String", "name", "=", "getName", "(", ")", ".", "trim", "(", ")", ";", "int", "firstSp", "=", "name", ".", "indexOf", "(", "'", "'", ")", ";"...
Set first and last name based on full name.
[ "Set", "first", "and", "last", "name", "based", "on", "full", "name", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/user/User.java#L403-L416
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.putreq
public void putreq(String msg) throws SoccomException { byte msgbytes[] = SoccomMessage.makeMessage(msg, null); logline("SEND: " + new String(msgbytes)); copy_msgid(_msgid, msgbytes); try { // _out.print(msg); _out.write(msgbytes); } catch (IOException e) { throw new SoccomException(SoccomException.REQUEST); } }
java
public void putreq(String msg) throws SoccomException { byte msgbytes[] = SoccomMessage.makeMessage(msg, null); logline("SEND: " + new String(msgbytes)); copy_msgid(_msgid, msgbytes); try { // _out.print(msg); _out.write(msgbytes); } catch (IOException e) { throw new SoccomException(SoccomException.REQUEST); } }
[ "public", "void", "putreq", "(", "String", "msg", ")", "throws", "SoccomException", "{", "byte", "msgbytes", "[", "]", "=", "SoccomMessage", ".", "makeMessage", "(", "msg", ",", "null", ")", ";", "logline", "(", "\"SEND: \"", "+", "new", "String", "(", "...
Send a request message. @param msg The message to be sent. @exception SoccomException Thrown when an IOException is encountered.
[ "Send", "a", "request", "message", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L153-L165
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.putreq_vheader
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); } }
java
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); } }
[ "public", "void", "putreq_vheader", "(", "String", "endmark", ")", "throws", "SoccomException", "{", "if", "(", "endmark", ".", "length", "(", ")", "!=", "4", ")", "throw", "new", "SoccomException", "(", "SoccomException", ".", "ENDM_LENGTH", ")", ";", "byte...
Send the header part of a variable-size request message. @param endmark Must be a four character string that will not appear at the beginning of a line in message body. @exception SoccomException Thrown when an IOException is encountered.
[ "Send", "the", "header", "part", "of", "a", "variable", "-", "size", "request", "message", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L173-L187
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.putreq_vline
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); } }
java
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); } }
[ "public", "void", "putreq_vline", "(", "String", "msg", ")", "throws", "SoccomException", "{", "int", "length", "=", "msg", ".", "length", "(", ")", ";", "if", "(", "msg", ".", "charAt", "(", "length", "-", "1", ")", "==", "'", "'", ")", "{", "logl...
Send a line as a part of a variable-size request message. @param msg A line of message. If it is not ended with a new line character, add it. @exception SoccomException Thrown when an IOException is encountered.
[ "Send", "a", "line", "as", "a", "part", "of", "a", "variable", "-", "size", "request", "message", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L195-L211
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.putreq_vfooter
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); } }
java
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); } }
[ "public", "void", "putreq_vfooter", "(", "String", "endmark", ")", "throws", "SoccomException", "{", "if", "(", "endmark", ".", "length", "(", ")", "!=", "4", ")", "throw", "new", "SoccomException", "(", "SoccomException", ".", "ENDM_LENGTH", ")", ";", "Stri...
Mark the end of a variable-size message. @param endmark This must be the same one as used in the putreq_vheader. @exception SoccomException Thrown when an IOException is encountered.
[ "Mark", "the", "end", "of", "a", "variable", "-", "size", "message", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L218-L231
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.getresp
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); } }
java
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); } }
[ "public", "String", "getresp", "(", "int", "timeout", ")", "throws", "SoccomException", "{", "int", "size", ",", "n", ";", "String", "sizestr", ";", "try", "{", "byte", "[", "]", "_header", "=", "new", "byte", "[", "SoccomMessage", ".", "HEADER_SIZE", "]...
Get the response from the server, after sending a request. @param timeout timeout value in seconds @return The response message. @exception SoccomException Thrown when an IOException is encountered.
[ "Get", "the", "response", "from", "the", "server", "after", "sending", "a", "request", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L239-L295
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.getresp_first
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); } }
java
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); } }
[ "public", "String", "getresp_first", "(", "int", "maxbytes", ",", "int", "timeout", ")", "throws", "SoccomException", "{", "int", "n", ";", "String", "sizestr", ",", "msg", ";", "_resp_read", "=", "-", "1", ";", "try", "{", "byte", "[", "]", "_header", ...
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. @param maxbytes The maximum number of bytes to be returned. @param timeout timeout in seconds @return The string converted from the bytes read. @exception SoccomException Any transmission error such as reading socket 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", "par...
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L323-L390
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java
SoccomClient.close
public void close() { if (_socket!=null) { try { _socket.close(); _socket = null; } catch (IOException e) { System.err.println("Exception: " + e); // throw new SoccomException(SoccomException.RECV_ERROR); } _in = null; _out = null; } }
java
public void close() { if (_socket!=null) { try { _socket.close(); _socket = null; } catch (IOException e) { System.err.println("Exception: " + e); // throw new SoccomException(SoccomException.RECV_ERROR); } _in = null; _out = null; } }
[ "public", "void", "close", "(", ")", "{", "if", "(", "_socket", "!=", "null", ")", "{", "try", "{", "_socket", ".", "close", "(", ")", ";", "_socket", "=", "null", ";", "}", "catch", "(", "IOException", "e", ")", "{", "System", ".", "err", ".", ...
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.
[ "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", "mo...
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/soccom/SoccomClient.java#L579-L592
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/handler/ServiceRequestHandler.java
ServiceRequestHandler.getServiceInstance
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 { // normal classloader -- built-in service Class<? extends TextService> serviceClass = Class.forName(serviceClassName).asSubclass(TextService.class); return serviceClass.newInstance(); } catch (ClassNotFoundException ex) { // try dynamic based on annotations eg: api/Users/dxoakes 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) { // try without any subpath first (@Path="/") 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; } } // lastly, try process invoker mapping 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); } }
java
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 { // normal classloader -- built-in service Class<? extends TextService> serviceClass = Class.forName(serviceClassName).asSubclass(TextService.class); return serviceClass.newInstance(); } catch (ClassNotFoundException ex) { // try dynamic based on annotations eg: api/Users/dxoakes 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) { // try without any subpath first (@Path="/") 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; } } // lastly, try process invoker mapping 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); } }
[ "protected", "TextService", "getServiceInstance", "(", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "ServiceException", "{", "try", "{", "String", "requestPath", "=", "headers", ".", "get", "(", "Listener", ".", "METAINFO_REQUEST_PATH", ")...
Returns the service instance, consulting the service registry if necessary.
[ "Returns", "the", "service", "instance", "consulting", "the", "service", "registry", "if", "necessary", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/handler/ServiceRequestHandler.java#L191-L239
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/handler/ServiceRequestHandler.java
ServiceRequestHandler.getFormat
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; }
java
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; }
[ "protected", "Format", "getFormat", "(", "Map", "<", "String", ",", "String", ">", "metaInfo", ")", "{", "Format", "format", "=", "Format", ".", "json", ";", "metaInfo", ".", "put", "(", "Listener", ".", "METAINFO_CONTENT_TYPE", ",", "Listener", ".", "CONT...
Default format is now JSON.
[ "Default", "format", "is", "now", "JSON", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/handler/ServiceRequestHandler.java#L244-L269
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/Attributes.java
Attributes.get
@Override @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) // fall back to parameter ownerType = parameters.get("ownerType"); if (ownerType == null) throw new ServiceException("Missing path segment: {ownerType}"); String ownerId = getSegment(path, 2); if (ownerId == null) // fall back to parameter 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); } }
java
@Override @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) // fall back to parameter ownerType = parameters.get("ownerType"); if (ownerType == null) throw new ServiceException("Missing path segment: {ownerType}"); String ownerId = getSegment(path, 2); if (ownerId == null) // fall back to parameter 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); } }
[ "@", "Override", "@", "Path", "(", "\"/{ownerType}/{ownerId}\"", ")", "@", "ApiOperation", "(", "value", "=", "\"Retrieve attributes for an ownerType and ownerId\"", ",", "notes", "=", "\"Response is a generic JSON object with names/values.\"", ")", "public", "JSONObject", "g...
Retrieve attributes.
[ "Retrieve", "attributes", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/Attributes.java#L54-L81
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/cli/Import.java
Import.importAssetsFromGit
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)")); // Check Asset inconsistencies 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"); } // Perform import (Git pull) versionControl.hardCheckout(branch, hardReset); // Clear cached previous asset revisions versionControl.clear(); // Capture new Refs in ASSET_REF after import (Git pull) and insert/update VALUE table 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; } }
java
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)")); // Check Asset inconsistencies 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"); } // Perform import (Git pull) versionControl.hardCheckout(branch, hardReset); // Clear cached previous asset revisions versionControl.clear(); // Capture new Refs in ASSET_REF after import (Git pull) and insert/update VALUE table 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; } }
[ "public", "void", "importAssetsFromGit", "(", "ProgressMonitor", "...", "monitors", ")", "throws", "IOException", "{", "if", "(", "inProgress", ")", "throw", "new", "IOException", "(", "\"Asset import already in progress...\"", ")", ";", "try", "{", "inProgress", "=...
This is for importing project assets from Git into an environment.
[ "This", "is", "for", "importing", "project", "assets", "from", "Git", "into", "an", "environment", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/cli/Import.java#L209-L254
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/cli/Import.java
Import.importGit
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() + "..."); // CLI dependencies Git git = new Git(getReleasesUrl(), vcInfo, "checkVersionConsistency", vcInfo.getBranch(), getAssetLoc()); git.run(monitors); // Check Asset inconsistencies 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"); } // perform import (Git pull) git = new Git(getReleasesUrl(), vcInfo, "hardCheckout", vcInfo.getBranch(), isHardReset()); git.run(monitors); // capture new Refs in ASSET_REF after import (Git pull) 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; } }
java
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() + "..."); // CLI dependencies Git git = new Git(getReleasesUrl(), vcInfo, "checkVersionConsistency", vcInfo.getBranch(), getAssetLoc()); git.run(monitors); // Check Asset inconsistencies 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"); } // perform import (Git pull) git = new Git(getReleasesUrl(), vcInfo, "hardCheckout", vcInfo.getBranch(), isHardReset()); git.run(monitors); // capture new Refs in ASSET_REF after import (Git pull) 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; } }
[ "public", "void", "importGit", "(", "ProgressMonitor", "...", "monitors", ")", "throws", "IOException", "{", "if", "(", "inProgress", ")", "throw", "new", "IOException", "(", "\"Asset already in progress...\"", ")", ";", "try", "{", "inProgress", "=", "true", ";...
This is for importing newly-discovered assets.
[ "This", "is", "for", "importing", "newly", "-", "discovered", "assets", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/cli/Import.java#L259-L308
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/common/service/ServiceRegistry.java
ServiceRegistry.getDynamicService
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; }
java
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; }
[ "public", "<", "T", "extends", "RegisteredService", ">", "T", "getDynamicService", "(", "Package", "pkg", ",", "Class", "<", "T", ">", "serviceInterface", ",", "String", "className", ")", "{", "if", "(", "dynamicServices", ".", "containsKey", "(", "serviceInte...
Get the Dynamic java instance for Registered Service
[ "Get", "the", "Dynamic", "java", "instance", "for", "Registered", "Service" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/common/service/ServiceRegistry.java#L55-L72
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/common/service/ServiceRegistry.java
ServiceRegistry.addDynamicService
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); } }
java
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); } }
[ "public", "void", "addDynamicService", "(", "String", "serviceInterface", ",", "String", "className", ")", "{", "if", "(", "dynamicServices", ".", "containsKey", "(", "serviceInterface", ")", ")", "{", "dynamicServices", ".", "get", "(", "serviceInterface", ")", ...
Add Dynamic Java Registered Service class names for each service @param serviceInterface @param className
[ "Add", "Dynamic", "Java", "Registered", "Service", "class", "names", "for", "each", "service" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/common/service/ServiceRegistry.java#L140-L149
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/common/service/Query.java
Query.getArrayFilter
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; }
java
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; }
[ "public", "String", "[", "]", "getArrayFilter", "(", "String", "key", ")", "{", "String", "value", "=", "filters", ".", "get", "(", "key", ")", ";", "if", "(", "value", "==", "null", ")", "return", "null", ";", "String", "[", "]", "array", "=", "ne...
Empty list returns null;
[ "Empty", "list", "returns", "null", ";" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/common/service/Query.java#L128-L146
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/common/service/Query.java
Query.getMapFilter
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; }
java
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; }
[ "public", "Map", "<", "String", ",", "String", ">", "getMapFilter", "(", "String", "name", ")", "{", "String", "value", "=", "filters", ".", "get", "(", "name", ")", ";", "if", "(", "value", "==", "null", ")", "return", "null", ";", "Map", "<", "St...
Empty map returns null, as does invalid format.
[ "Empty", "map", "returns", "null", "as", "does", "invalid", "format", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/common/service/Query.java#L167-L189
train
CenturyLinkCloud/mdw
mdw-workflow/assets/com/centurylink/mdw/microservice/MicroserviceAccess.java
MicroserviceAccess.getServiceSummaryVariableName
public String getServiceSummaryVariableName(Process processDefinition) { for (Activity activity : processDefinition.getActivities()) { String attr = activity.getAttribute("serviceSummaryVariable"); if (attr != null) return attr; } return null; }
java
public String getServiceSummaryVariableName(Process processDefinition) { for (Activity activity : processDefinition.getActivities()) { String attr = activity.getAttribute("serviceSummaryVariable"); if (attr != null) return attr; } return null; }
[ "public", "String", "getServiceSummaryVariableName", "(", "Process", "processDefinition", ")", "{", "for", "(", "Activity", "activity", ":", "processDefinition", ".", "getActivities", "(", ")", ")", "{", "String", "attr", "=", "activity", ".", "getAttribute", "(",...
Walks through all activities looking for the attribute.
[ "Walks", "through", "all", "activities", "looking", "for", "the", "attribute", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/assets/com/centurylink/mdw/microservice/MicroserviceAccess.java#L84-L91
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/workflow/Transition.java
Transition.getJson
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; }
java
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; }
[ "public", "JSONObject", "getJson", "(", ")", "throws", "JSONException", "{", "JSONObject", "json", "=", "create", "(", ")", ";", "json", ".", "put", "(", "\"id\"", ",", "getLogicalId", "(", ")", ")", ";", "json", ".", "put", "(", "\"to\"", ",", "\"A\""...
Does not populate from field since JSON transitions are children of activities.
[ "Does", "not", "populate", "from", "field", "since", "JSON", "transitions", "are", "children", "of", "activities", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/workflow/Transition.java#L231-L242
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/java/CompiledJavaCache.java
CompiledJavaCache.initializeJavaSourceArtifacts
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"); }
java
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"); }
[ "private", "static", "void", "initializeJavaSourceArtifacts", "(", ")", "throws", "DataAccessException", ",", "IOException", ",", "CachingException", "{", "logger", ".", "info", "(", "\"Initializing Java source assets...\"", ")", ";", "long", "before", "=", "System", ...
Writes the java-language assets into the temporary directory. This is only needed for compilation dependencies.
[ "Writes", "the", "java", "-", "language", "assets", "into", "the", "temporary", "directory", ".", "This", "is", "only", "needed", "for", "compilation", "dependencies", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/java/CompiledJavaCache.java#L512-L535
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/java/CompiledJavaCache.java
CompiledJavaCache.preCompileJavaSourceArtifacts
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) { // let other classes continue to process logger.severeException(ex.getMessage(), ex); } } } }
java
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) { // let other classes continue to process logger.severeException(ex.getMessage(), ex); } } } }
[ "private", "static", "void", "preCompileJavaSourceArtifacts", "(", ")", "{", "if", "(", "preCompiled", "!=", "null", ")", "{", "for", "(", "String", "preCompClass", ":", "preCompiled", ")", "{", "logger", ".", "info", "(", "\"Precompiling dynamic Java asset class:...
Precompile designated Java Source artifacts.
[ "Precompile", "designated", "Java", "Source", "artifacts", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/java/CompiledJavaCache.java#L540-L557
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/monitor/ServiceLevelAgreement.java
ServiceLevelAgreement.unitsToSeconds
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)); }
java
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)); }
[ "public", "static", "int", "unitsToSeconds", "(", "String", "interval", ",", "String", "unit", ")", "{", "if", "(", "interval", "==", "null", "||", "interval", ".", "isEmpty", "(", ")", ")", "return", "0", ";", "else", "if", "(", "unit", "==", "null", ...
Convert interval of specified unit to seconds @param interval @param unit @return
[ "Convert", "interval", "of", "specified", "unit", "to", "seconds" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/monitor/ServiceLevelAgreement.java#L68-L75
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/model/monitor/ServiceLevelAgreement.java
ServiceLevelAgreement.secondsToUnits
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); }
java
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); }
[ "public", "static", "String", "secondsToUnits", "(", "int", "seconds", ",", "String", "unit", ")", "{", "if", "(", "unit", "==", "null", ")", "return", "String", ".", "valueOf", "(", "seconds", ")", ";", "else", "if", "(", "unit", ".", "equals", "(", ...
Convert seconds to specified units @param seconds @param unit @return
[ "Convert", "seconds", "to", "specified", "units" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/model/monitor/ServiceLevelAgreement.java#L83-L89
train
CenturyLinkCloud/mdw
mdw-hub/src/com/centurylink/mdw/hub/context/Page.java
Page.getAssetPath
@SuppressWarnings("unused") public String getAssetPath() { String relPath = getRelPath(); return relPath.substring(0, relPath.length() - getAsset().getName().length() - 1).replace('/', '.') + "/" + getAsset().getName(); }
java
@SuppressWarnings("unused") public String getAssetPath() { String relPath = getRelPath(); return relPath.substring(0, relPath.length() - getAsset().getName().length() - 1).replace('/', '.') + "/" + getAsset().getName(); }
[ "@", "SuppressWarnings", "(", "\"unused\"", ")", "public", "String", "getAssetPath", "(", ")", "{", "String", "relPath", "=", "getRelPath", "(", ")", ";", "return", "relPath", ".", "substring", "(", "0", ",", "relPath", ".", "length", "(", ")", "-", "get...
Accessed in react default index.html substitution.
[ "Accessed", "in", "react", "default", "index", ".", "html", "substitution", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-hub/src/com/centurylink/mdw/hub/context/Page.java#L51-L56
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/service/rest/DocumentValues.java
DocumentValues.get
@Override @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); } }
java
@Override @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); } }
[ "@", "Override", "@", "Path", "(", "\"/{documentId}\"", ")", "public", "JSONObject", "get", "(", "String", "path", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "ServiceException", ",", "JSONException", "{", "WorkflowServices", "work...
Retrieve a document string value
[ "Retrieve", "a", "document", "string", "value" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/service/rest/DocumentValues.java#L45-L62
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getRequestUrl
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); } }
java
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); } }
[ "protected", "URL", "getRequestUrl", "(", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "ServiceException", "{", "String", "requestUrl", "=", "headers", ".", "get", "(", "Listener", ".", "METAINFO_REQUEST_URL", ")", ";", "if", "(", "req...
Includes query string.
[ "Includes", "query", "string", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L137-L150
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getUserAction
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; }
java
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; }
[ "protected", "UserAction", "getUserAction", "(", "User", "user", ",", "String", "path", ",", "Object", "content", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "{", "Action", "action", "=", "getAction", "(", "path", ",", "content", ",", ...
For audit logging.
[ "For", "audit", "logging", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L164-L174
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getEntityId
protected Long getEntityId(String path, Object content, Map<String,String> headers) { return 0L; }
java
protected Long getEntityId(String path, Object content, Map<String,String> headers) { return 0L; }
[ "protected", "Long", "getEntityId", "(", "String", "path", ",", "Object", "content", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "{", "return", "0L", ";", "}" ]
Override if entity has a meaningful ID.
[ "Override", "if", "entity", "has", "a", "meaningful", "ID", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L183-L185
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getSub
protected String getSub(String path) { int slash = path.indexOf('/'); if (slash > 0 && slash < path.length() - 1) // the first part of the path is what got us here return path.substring(slash + 1); else return null; }
java
protected String getSub(String path) { int slash = path.indexOf('/'); if (slash > 0 && slash < path.length() - 1) // the first part of the path is what got us here return path.substring(slash + 1); else return null; }
[ "protected", "String", "getSub", "(", "String", "path", ")", "{", "int", "slash", "=", "path", ".", "indexOf", "(", "'", "'", ")", ";", "if", "(", "slash", ">", "0", "&&", "slash", "<", "path", ".", "length", "(", ")", "-", "1", ")", "// the firs...
Minus the base path that triggered this service.
[ "Minus", "the", "base", "path", "that", "triggered", "this", "service", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L237-L243
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getEntity
protected Entity getEntity(String path, Object content, Map<String,String> headers) { return Entity.Other; }
java
protected Entity getEntity(String path, Object content, Map<String,String> headers) { return Entity.Other; }
[ "protected", "Entity", "getEntity", "(", "String", "path", ",", "Object", "content", ",", "Map", "<", "String", ",", "String", ">", "headers", ")", "{", "return", "Entity", ".", "Other", ";", "}" ]
Should be overridden. Avoid using Entity.Other.
[ "Should", "be", "overridden", ".", "Avoid", "using", "Entity", ".", "Other", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L252-L254
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.getAuthUser
protected String getAuthUser(Map<String,String> headers) { return headers.get(Listener.AUTHENTICATED_USER_HEADER); }
java
protected String getAuthUser(Map<String,String> headers) { return headers.get(Listener.AUTHENTICATED_USER_HEADER); }
[ "protected", "String", "getAuthUser", "(", "Map", "<", "String", ",", "String", ">", "headers", ")", "{", "return", "headers", ".", "get", "(", "Listener", ".", "AUTHENTICATED_USER_HEADER", ")", ";", "}" ]
returns authenticated user cuid
[ "returns", "authenticated", "user", "cuid" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L261-L263
train
CenturyLinkCloud/mdw
mdw-services/src/com/centurylink/mdw/services/rest/RestService.java
RestService.authorizeExport
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); }
java
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); }
[ "protected", "void", "authorizeExport", "(", "Map", "<", "String", ",", "String", ">", "headers", ")", "throws", "AuthorizationException", "{", "String", "path", "=", "headers", ".", "get", "(", "Listener", ".", "METAINFO_REQUEST_PATH", ")", ";", "User", "user...
Also audit logs.
[ "Also", "audit", "logs", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-services/src/com/centurylink/mdw/services/rest/RestService.java#L268-L280
train
CenturyLinkCloud/mdw
mdw-workflow/src/com/centurylink/mdw/workflow/adapter/rest/RestServiceAdapter.java
RestServiceAdapter.getRequestHeaders
public Map<String,String> getRequestHeaders() { // If we already set the headers when logging request metadata, use them 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); } // Set the headers so that we don't try and set them next time this method gets called super.setRequestHeaders(headers); return headers; } catch (Exception ex) { logger.severeException(ex.getMessage(), ex); return null; } }
java
public Map<String,String> getRequestHeaders() { // If we already set the headers when logging request metadata, use them 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); } // Set the headers so that we don't try and set them next time this method gets called super.setRequestHeaders(headers); return headers; } catch (Exception ex) { logger.severeException(ex.getMessage(), ex); return null; } }
[ "public", "Map", "<", "String", ",", "String", ">", "getRequestHeaders", "(", ")", "{", "// If we already set the headers when logging request metadata, use them", "if", "(", "super", ".", "getRequestHeaders", "(", ")", "!=", "null", ")", "return", "super", ".", "ge...
Override to specify HTTP request headers.
[ "Override", "to", "specify", "HTTP", "request", "headers", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-workflow/src/com/centurylink/mdw/workflow/adapter/rest/RestServiceAdapter.java#L337-L385
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/config/PropertyManager.java
PropertyManager.getConfigLocation
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; }
java
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; }
[ "public", "static", "String", "getConfigLocation", "(", ")", "{", "if", "(", "configLocation", "==", "null", ")", "{", "String", "configLoc", "=", "System", ".", "getProperty", "(", "MDW_CONFIG_LOCATION", ")", ";", "if", "(", "configLoc", "!=", "null", ")", ...
Directory where MDW config files can be found.
[ "Directory", "where", "MDW", "config", "files", "can", "be", "found", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/config/PropertyManager.java#L100-L111
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/config/PropertyManager.java
PropertyManager.getInstance
public static PropertyManager getInstance() { if (instance == null) { try { initializePropertyManager(); } catch (StartupException e) { // should not reach here, as the property manager should be // initialized by now throw new RuntimeException(e); } // container property manager will never hit this } return instance; }
java
public static PropertyManager getInstance() { if (instance == null) { try { initializePropertyManager(); } catch (StartupException e) { // should not reach here, as the property manager should be // initialized by now throw new RuntimeException(e); } // container property manager will never hit this } return instance; }
[ "public", "static", "PropertyManager", "getInstance", "(", ")", "{", "if", "(", "instance", "==", "null", ")", "{", "try", "{", "initializePropertyManager", "(", ")", ";", "}", "catch", "(", "StartupException", "e", ")", "{", "// should not reach here, as the pr...
returns the handle to the property manager @return PropertyManager
[ "returns", "the", "handle", "to", "the", "property", "manager" ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/config/PropertyManager.java#L118-L131
train
CenturyLinkCloud/mdw
mdw-common/src/com/centurylink/mdw/util/ClasspathUtil.java
ClasspathUtil.locate
public static String locate(String className, ClassLoader classLoader) { String resource = new String(className); // format the file name into a valid resource name if (!resource.startsWith("/")) { resource = "/" + resource; } resource = resource.replace('.', '/'); resource = resource + ".class"; // attempt to locate the file using the class loader URL classUrl = classLoader.getResource(resource); if (classUrl == null && classLoader == ClasspathUtil.class.getClassLoader()) { // Apparently clazz.getResource() works sometimes when clazz.getClassLoader().getResource() does not. // TODO: why? classUrl = ClasspathUtil.class.getResource(resource); } if (classUrl == null) { return "\nClass not found: [" + className + "]"; } else { return classUrl.getFile(); } }
java
public static String locate(String className, ClassLoader classLoader) { String resource = new String(className); // format the file name into a valid resource name if (!resource.startsWith("/")) { resource = "/" + resource; } resource = resource.replace('.', '/'); resource = resource + ".class"; // attempt to locate the file using the class loader URL classUrl = classLoader.getResource(resource); if (classUrl == null && classLoader == ClasspathUtil.class.getClassLoader()) { // Apparently clazz.getResource() works sometimes when clazz.getClassLoader().getResource() does not. // TODO: why? classUrl = ClasspathUtil.class.getResource(resource); } if (classUrl == null) { return "\nClass not found: [" + className + "]"; } else { return classUrl.getFile(); } }
[ "public", "static", "String", "locate", "(", "String", "className", ",", "ClassLoader", "classLoader", ")", "{", "String", "resource", "=", "new", "String", "(", "className", ")", ";", "// format the file name into a valid resource name", "if", "(", "!", "resource",...
Finds the location of the version of a particular class that will be used by the Java runtime. Output goes to standard out. @param className @return whether the class was located
[ "Finds", "the", "location", "of", "the", "version", "of", "a", "particular", "class", "that", "will", "be", "used", "by", "the", "Java", "runtime", ".", "Output", "goes", "to", "standard", "out", "." ]
91167fe65a25a5d7022cdcf8b0fae8506f5b87ce
https://github.com/CenturyLinkCloud/mdw/blob/91167fe65a25a5d7022cdcf8b0fae8506f5b87ce/mdw-common/src/com/centurylink/mdw/util/ClasspathUtil.java#L43-L67
train