code
stringlengths
73
34.1k
label
stringclasses
1 value
public static String decodeUrlIso(String stringToDecode) { try { return URLDecoder.decode(stringToDecode, "ISO-8859-1"); } catch (UnsupportedEncodingException e1) { throw new RuntimeException(e1); } }
java
public static String ellipsize(String text, int maxLength, String end) { if (text != null && text.length() > maxLength) { return text.substring(0, maxLength - end.length()) + end; } return text; }
java
public static String join(Iterable<?> iterable, String separator) { if (iterable != null) { StringBuilder buf = new StringBuilder(); Iterator<?> it = iterable.iterator(); char singleChar = separator.length() == 1 ? separator.charAt(0) : 0; while (it.hasNext()) { buf.append(it.next()); if (it.hasNext()) { if (singleChar != 0) { // More efficient buf.append(singleChar); } else { buf.append(separator); } } } return buf.toString(); } else { return ""; } }
java
public static String join(int[] array, String separator) { if (array != null) { StringBuilder buf = new StringBuilder(Math.max(16, (separator.length() + 1) * array.length)); char singleChar = separator.length() == 1 ? separator.charAt(0) : 0; for (int i = 0; i < array.length; i++) { if (i != 0) { if (singleChar != 0) { // More efficient buf.append(singleChar); } else { buf.append(separator); } } buf.append(array[i]); } return buf.toString(); } else { return ""; } }
java
protected void prepareForwardedResponseHeaders(ResponseData response) { HttpHeaders headers = response.getHeaders(); headers.remove(TRANSFER_ENCODING); headers.remove(CONNECTION); headers.remove("Public-Key-Pins"); headers.remove(SERVER); headers.remove("Strict-Transport-Security"); }
java
protected void prepareForwardedRequestHeaders(RequestData request, ForwardDestination destination) { HttpHeaders headers = request.getHeaders(); headers.set(HOST, destination.getUri().getAuthority()); headers.remove(TE); }
java
private String normalizePath(String scriptPath) { StringBuilder builder = new StringBuilder(scriptPath.length() + 1); if (scriptPath.startsWith("/")) { builder.append(scriptPath.substring(1)); } else { builder.append(scriptPath); } if (!scriptPath.endsWith("/")) { builder.append("/"); } return builder.toString(); }
java
public List<DbMigration> getMigrationsSinceVersion(int version) { List<DbMigration> dbMigrations = new ArrayList<>(); migrationScripts.stream().filter(script -> script.getVersion() > version).forEach(script -> { String content = loadScriptContent(script); dbMigrations.add(new DbMigration(script.getScriptName(), script.getVersion(), content)); }); return dbMigrations; }
java
public int getVersion() { ResultSet resultSet = session.execute(format(VERSION_QUERY, getTableName())); Row result = resultSet.one(); if (result == null) { return 0; } return result.getInt(0); }
java
private void logMigration(DbMigration migration, boolean wasSuccessful) { BoundStatement boundStatement = logMigrationStatement.bind(wasSuccessful, migration.getVersion(), migration.getScriptName(), migration.getMigrationScript(), new Date()); session.execute(boundStatement); }
java
public void migrate() { if (databaseIsUpToDate()) { LOGGER.info(format("Keyspace %s is already up to date at version %d", database.getKeyspaceName(), database.getVersion())); return; } List<DbMigration> migrations = repository.getMigrationsSinceVersion(database.getVersion()); migrations.forEach(database::execute); LOGGER.info(format("Migrated keyspace %s to version %d", database.getKeyspaceName(), database.getVersion())); database.close(); }
java
public Set<String> findResourceNames(String location, URI locationUri) throws IOException { String filePath = toFilePath(locationUri); File folder = new File(filePath); if (!folder.isDirectory()) { LOGGER.debug("Skipping path as it is not a directory: " + filePath); return new TreeSet<>(); } String classPathRootOnDisk = filePath.substring(0, filePath.length() - location.length()); if (!classPathRootOnDisk.endsWith(File.separator)) { classPathRootOnDisk = classPathRootOnDisk + File.separator; } LOGGER.debug("Scanning starting at classpath root in filesystem: " + classPathRootOnDisk); return findResourceNamesFromFileSystem(classPathRootOnDisk, location, folder); }
java
private Set<String> findResourceNamesFromFileSystem(String classPathRootOnDisk, String scanRootLocation, File folder) { LOGGER.debug("Scanning for resources in path: {} ({})", folder.getPath(), scanRootLocation); File[] files = folder.listFiles(); if (files == null) { return emptySet(); } Set<String> resourceNames = new TreeSet<>(); for (File file : files) { if (file.canRead()) { if (file.isDirectory()) { resourceNames.addAll(findResourceNamesFromFileSystem(classPathRootOnDisk, scanRootLocation, file)); } else { resourceNames.add(toResourceNameOnClasspath(classPathRootOnDisk, file)); } } } return resourceNames; }
java
private String toResourceNameOnClasspath(String classPathRootOnDisk, File file) { String fileName = file.getAbsolutePath().replace("\\", "/"); return fileName.substring(classPathRootOnDisk.length()); }
java
public static <T> T notNull(T argument, String argumentName) { if (argument == null) { throw new IllegalArgumentException("Argument " + argumentName + " must not be null."); } return argument; }
java
public static String notNullOrEmpty(String argument, String argumentName) { if (argument == null || argument.trim().isEmpty()) { throw new IllegalArgumentException("Argument " + argumentName + " must not be null or empty."); } return argument; }
java
public static TestSuiteResult unmarshal(File testSuite) throws IOException { try (InputStream stream = new FileInputStream(testSuite)) { return unmarshal(stream); } }
java
public static List<TestSuiteResult> unmarshalSuites(File... directories) throws IOException { List<TestSuiteResult> results = new ArrayList<>(); List<File> files = listTestSuiteFiles(directories); for (File file : files) { results.add(unmarshal(file)); } return results; }
java
public static List<File> listFilesByRegex(String regex, File... directories) { return listFiles(directories, new RegexFileFilter(regex), CanReadFileFilter.CAN_READ); }
java
public static List<File> listFiles(File[] directories, IOFileFilter fileFilter, IOFileFilter dirFilter) { List<File> files = new ArrayList<>(); for (File directory : directories) { if (!directory.isDirectory()) { continue; } Collection<File> filesInDirectory = FileUtils.listFiles(directory, fileFilter, dirFilter); files.addAll(filesInDirectory); } return files; }
java
private void populateAnnotations(Collection<Annotation> annotations) { for (Annotation each : annotations) { this.annotations.put(each.annotationType(), each); } }
java
public void setDefaults(Annotation[] defaultAnnotations) { if (defaultAnnotations == null) { return; } for (Annotation each : defaultAnnotations) { Class<? extends Annotation> key = each.annotationType(); if (Title.class.equals(key) || Description.class.equals(key)) { continue; } if (!annotations.containsKey(key)) { annotations.put(key, each); } } }
java
private static String getHostname() { if (Hostname == null) { try { Hostname = InetAddress.getLocalHost().getHostName(); } catch (Exception e) { Hostname = "default"; LOGGER.warn("Can not get current hostname", e); } } return Hostname; }
java
public static TestCaseStartedEvent withExecutorInfo(TestCaseStartedEvent event) { event.getLabels().add(createHostLabel(getHostname())); event.getLabels().add(createThreadLabel(format("%s.%s(%s)", ManagementFactory.getRuntimeMXBean().getName(), Thread.currentThread().getName(), Thread.currentThread().getId()) )); return event; }
java
private void openBrowser(URI url) throws IOException { if (Desktop.isDesktopSupported()) { Desktop.getDesktop().browse(url); } else { LOGGER.error("Can not open browser because this capability is not supported on " + "your platform. You can use the link below to open the report manually."); } }
java
private Server setUpServer() { Server server = new Server(port); ResourceHandler handler = new ResourceHandler(); handler.setDirectoriesListed(true); handler.setWelcomeFiles(new String[]{"index.html"}); handler.setResourceBase(getReportDirectoryPath().toAbsolutePath().toString()); HandlerList handlers = new HandlerList(); handlers.setHandlers(new Handler[]{handler, new DefaultHandler()}); server.setStopAtShutdown(true); server.setHandler(handlers); return server; }
java
private static boolean checkModifiers(Class<? extends AbstractPlugin> pluginClass) { int modifiers = pluginClass.getModifiers(); return !Modifier.isAbstract(modifiers) && !Modifier.isInterface(modifiers) && !Modifier.isPrivate(modifiers); }
java
@Override public void fire(StepStartedEvent event) { for (LifecycleListener listener : listeners) { try { listener.fire(event); } catch (Exception e) { logError(listener, e); } } }
java
private void logError(LifecycleListener listener, Exception e) { LOGGER.error("Error for listener " + listener.getClass(), e); }
java
public static String cutEnd(String data, int maxLength) { if (data.length() > maxLength) { return data.substring(0, maxLength) + "..."; } else { return data; } }
java
public static <T> List<T> load(ClassLoader classLoader, Class<T> serviceType) { List<T> foundServices = new ArrayList<>(); Iterator<T> iterator = ServiceLoader.load(serviceType, classLoader).iterator(); while (checkHasNextSafely(iterator)) { try { T item = iterator.next(); foundServices.add(item); LOGGER.debug(String.format("Found %s [%s]", serviceType.getSimpleName(), item.toString())); } catch (ServiceConfigurationError e) { LOGGER.trace("Can't find services using Java SPI", e); LOGGER.error(e.getMessage()); } } return foundServices; }
java
private static void unpackFace(File outputDirectory) throws IOException { ClassLoader loader = AllureMain.class.getClassLoader(); for (ClassPath.ResourceInfo info : ClassPath.from(loader).getResources()) { Matcher matcher = REPORT_RESOURCE_PATTERN.matcher(info.getResourceName()); if (matcher.find()) { String resourcePath = matcher.group(1); File dest = new File(outputDirectory, resourcePath); Files.createParentDirs(dest); try (FileOutputStream output = new FileOutputStream(dest); InputStream input = info.url().openStream()) { IOUtils.copy(input, output); LOGGER.debug("{} successfully copied.", resourcePath); } } } }
java
protected Path createTempDirectory(String prefix) { try { return Files.createTempDirectory(tempDirectory, prefix); } catch (IOException e) { throw new AllureCommandException(e); } }
java
private Level getLogLevel() { return isQuiet() ? Level.OFF : isVerbose() ? Level.DEBUG : Level.INFO; }
java
public static boolean isBadXmlCharacter(char c) { boolean cDataCharacter = c < '\u0020' && c != '\t' && c != '\r' && c != '\n'; cDataCharacter |= (c >= '\uD800' && c < '\uE000'); cDataCharacter |= (c == '\uFFFE' || c == '\uFFFF'); return cDataCharacter; }
java
public static void replaceBadXmlCharactersBySpace(char[] cbuf, int off, int len) { for (int i = off; i < off + len; i++) { if (isBadXmlCharacter(cbuf[i])) { cbuf[i] = '\u0020'; } } }
java
@Override public int read(char[] cbuf, int off, int len) throws IOException { int numChars = super.read(cbuf, off, len); replaceBadXmlCharactersBySpace(cbuf, off, len); return numChars; }
java
@Override protected void runUnsafe() throws Exception { Path reportDirectory = getReportDirectoryPath(); Files.walkFileTree(reportDirectory, new DeleteVisitor()); LOGGER.info("Report directory <{}> was successfully cleaned.", reportDirectory); }
java
public static void main(String[] args) { if (args.length < 2) { // NOSONAR LOGGER.error("There must be at least two arguments"); return; } int lastIndex = args.length - 1; AllureReportGenerator reportGenerator = new AllureReportGenerator( getFiles(Arrays.copyOf(args, lastIndex)) ); reportGenerator.generate(new File(args[lastIndex])); }
java
public static void setPropertySafely(Marshaller marshaller, String name, Object value) { try { marshaller.setProperty(name, value); } catch (PropertyException e) { LOGGER.warn(String.format("Can't set \"%s\" property to given marshaller", name), e); } }
java
public static Attachment writeAttachmentWithErrorMessage(Throwable throwable, String title) { String message = throwable.getMessage(); try { return writeAttachment(message.getBytes(CONFIG.getAttachmentsEncoding()), title); } catch (Exception e) { e.addSuppressed(throwable); LOGGER.error(String.format("Can't write attachment \"%s\"", title), e); } return new Attachment(); }
java
public static String getExtensionByMimeType(String type) { MimeTypes types = getDefaultMimeTypes(); try { return types.forName(type).getExtension(); } catch (Exception e) { LOGGER.warn("Can't detect extension for MIME-type " + type, e); return ""; } }
java
@Override public void process(TestCaseResult context) { context.getParameters().add(new Parameter() .withName(getName()) .withValue(getValue()) .withKind(ParameterKind.valueOf(getKind())) ); }
java
protected void validateResultsDirectories() { for (String result : results) { if (Files.notExists(Paths.get(result))) { throw new AllureCommandException(String.format("Report directory <%s> not found.", result)); } } }
java
protected String getClasspath() throws IOException { List<String> classpath = new ArrayList<>(); classpath.add(getBundleJarPath()); classpath.addAll(getPluginsPath()); return StringUtils.toString(classpath.toArray(new String[classpath.size()]), " "); }
java
protected String getExecutableJar() throws IOException { Manifest manifest = new Manifest(); manifest.getMainAttributes().put(Attributes.Name.MANIFEST_VERSION, "1.0"); manifest.getMainAttributes().put(Attributes.Name.MAIN_CLASS, MAIN); manifest.getMainAttributes().put(Attributes.Name.CLASS_PATH, getClasspath()); Path jar = createTempDirectory("exec").resolve("generate.jar"); try (JarOutputStream output = new JarOutputStream(Files.newOutputStream(jar), manifest)) { output.putNextEntry(new JarEntry("allure.properties")); Path allureConfig = PROPERTIES.getAllureConfig(); if (Files.exists(allureConfig)) { byte[] bytes = Files.readAllBytes(allureConfig); output.write(bytes); } output.closeEntry(); } return jar.toAbsolutePath().toString(); }
java
protected String getBundleJarPath() throws MalformedURLException { Path path = PROPERTIES.getAllureHome().resolve("app/allure-bundle.jar").toAbsolutePath(); if (Files.notExists(path)) { throw new AllureCommandException(String.format("Bundle not found by path <%s>", path)); } return path.toUri().toURL().toString(); }
java
protected List<String> getPluginsPath() throws IOException { List<String> result = new ArrayList<>(); Path pluginsDirectory = PROPERTIES.getAllureHome().resolve("plugins").toAbsolutePath(); if (Files.notExists(pluginsDirectory)) { return Collections.emptyList(); } try (DirectoryStream<Path> plugins = Files.newDirectoryStream(pluginsDirectory, JAR_FILES)) { for (Path plugin : plugins) { result.add(plugin.toUri().toURL().toString()); } } return result; }
java
protected String getJavaExecutablePath() { String executableName = isWindows() ? "bin/java.exe" : "bin/java"; return PROPERTIES.getJavaHome().resolve(executableName).toAbsolutePath().toString(); }
java
@Override public void run() { for (Map.Entry<String, TestSuiteResult> entry : testSuites) { for (TestCaseResult testCase : entry.getValue().getTestCases()) { markTestcaseAsInterruptedIfNotFinishedYet(testCase); } entry.getValue().getTestCases().add(createFakeTestcaseWithWarning(entry.getValue())); Allure.LIFECYCLE.fire(new TestSuiteFinishedEvent(entry.getKey())); } }
java
public static void checkDirectory(File directory) { if (!(directory.exists() || directory.mkdirs())) { throw new ReportGenerationException( String.format("Can't create data directory <%s>", directory.getAbsolutePath()) ); } }
java
public static int serialize(final File directory, String name, Object obj) { try (FileOutputStream stream = new FileOutputStream(new File(directory, name))) { return serialize(stream, obj); } catch (IOException e) { throw new ReportGenerationException(e); } }
java
public static int serialize(OutputStream stream, Object obj) { ObjectMapper mapper = createMapperWithJaxbAnnotationInspector(); try (DataOutputStream data = new DataOutputStream(stream); OutputStreamWriter writer = new OutputStreamWriter(data, StandardCharsets.UTF_8)) { mapper.writerWithDefaultPrettyPrinter().writeValue(writer, obj); return data.size(); } catch (IOException e) { throw new ReportGenerationException(e); } }
java
@Override public void process(Step step) { step.setName(getName()); step.setStatus(Status.PASSED); step.setStart(System.currentTimeMillis()); step.setTitle(getTitle()); }
java
@Override protected Deque<Step> childValue(Deque<Step> parentValue) { Deque<Step> queue = new LinkedList<>(); queue.add(parentValue.getFirst()); return queue; }
java
public Step createRootStep() { return new Step() .withName("Root step") .withTitle("Allure step processing error: if you see this step something went wrong.") .withStart(System.currentTimeMillis()) .withStatus(Status.BROKEN); }
java
@Override public void process(Step context) { Iterator<Attachment> iterator = context.getAttachments().listIterator(); while (iterator.hasNext()) { Attachment attachment = iterator.next(); if (pattern.matcher(attachment.getSource()).matches()) { deleteAttachment(attachment); iterator.remove(); } } for (Step step : context.getSteps()) { process(step); } }
java
public void fire(StepStartedEvent event) { Step step = new Step(); event.process(step); stepStorage.put(step); notifier.fire(event); }
java
public void fire(StepEvent event) { Step step = stepStorage.getLast(); event.process(step); notifier.fire(event); }
java
public void fire(StepFinishedEvent event) { Step step = stepStorage.adopt(); event.process(step); notifier.fire(event); }
java
public void fire(TestCaseStartedEvent event) { //init root step in parent thread if needed stepStorage.get(); TestCaseResult testCase = testCaseStorage.get(); event.process(testCase); synchronized (TEST_SUITE_ADD_CHILD_LOCK) { testSuiteStorage.get(event.getSuiteUid()).getTestCases().add(testCase); } notifier.fire(event); }
java
public void fire(TestCaseEvent event) { TestCaseResult testCase = testCaseStorage.get(); event.process(testCase); notifier.fire(event); }
java
public void fire(TestCaseFinishedEvent event) { TestCaseResult testCase = testCaseStorage.get(); event.process(testCase); Step root = stepStorage.pollLast(); if (Status.PASSED.equals(testCase.getStatus())) { new RemoveAttachmentsEvent(AllureConfig.newInstance().getRemoveAttachments()).process(root); } testCase.getSteps().addAll(root.getSteps()); testCase.getAttachments().addAll(root.getAttachments()); stepStorage.remove(); testCaseStorage.remove(); notifier.fire(event); }
java
public static String strMapToStr(Map<String, String> map) { StringBuilder sb = new StringBuilder(); if (map == null || map.isEmpty()) return sb.toString(); for (Entry<String, String> entry : map.entrySet()) { sb.append("< " + entry.getKey() + ", " + entry.getValue() + "> "); } return sb.toString(); }
java
public static String getAggregatedResultHuman(Map<String, LinkedHashSet<String>> aggregateResultMap){ StringBuilder res = new StringBuilder(); for (Entry<String, LinkedHashSet<String>> entry : aggregateResultMap .entrySet()) { LinkedHashSet<String> valueSet = entry.getValue(); res.append("[" + entry.getKey() + " COUNT: " +valueSet.size() + " ]:\n"); for(String str: valueSet){ res.append("\t" + str + "\n"); } res.append("###################################\n\n"); } return res.toString(); }
java
public static String renderJson(Object o) { Gson gson = new GsonBuilder().disableHtmlEscaping().setPrettyPrinting() .create(); return gson.toJson(o); }
java
public void sendMessageUntilStopCount(int stopCount) { // always send with valid data. for (int i = processedWorkerCount; i < workers.size(); ++i) { ActorRef worker = workers.get(i); try { /** * !!! This is a must; without this sleep; stuck occured at 5K. * AKKA seems cannot handle too much too fast message send out. */ Thread.sleep(1L); } catch (InterruptedException e) { logger.error("sleep exception " + e + " details: ", e); } // send as if the sender is the origin manager; so reply back to // origin manager worker.tell(OperationWorkerMsgType.PROCESS_REQUEST, originalManager); processedWorkerCount++; if (processedWorkerCount > stopCount) { return; } logger.debug("REQ_SENT: {} / {} taskId {}", processedWorkerCount, requestTotalCount, taskIdTrim); }// end for loop }
java
public void waitAndRetry() { ContinueToSendToBatchSenderAsstManager continueToSendToBatchSenderAsstManager = new ContinueToSendToBatchSenderAsstManager( processedWorkerCount); logger.debug("NOW WAIT Another " + asstManagerRetryIntervalMillis + " MS. at " + PcDateUtils.getNowDateTimeStrStandard()); getContext() .system() .scheduler() .scheduleOnce( Duration.create(asstManagerRetryIntervalMillis, TimeUnit.MILLISECONDS), getSelf(), continueToSendToBatchSenderAsstManager, getContext().system().dispatcher(), getSelf()); return; }
java
public String getUuidFromResponse(ResponseOnSingeRequest myResponse) { String uuid = PcConstants.NA; String responseBody = myResponse.getResponseBody(); Pattern regex = Pattern.compile(getJobIdRegex()); Matcher matcher = regex.matcher(responseBody); if (matcher.matches()) { uuid = matcher.group(1); } return uuid; }
java
public double getProgressFromResponse(ResponseOnSingeRequest myResponse) { double progress = 0.0; try { if (myResponse == null || myResponse.isFailObtainResponse()) { return progress; } String responseBody = myResponse.getResponseBody(); Pattern regex = Pattern.compile(progressRegex); Matcher matcher = regex.matcher(responseBody); if (matcher.matches()) { String progressStr = matcher.group(1); progress = Double.parseDouble(progressStr); } } catch (Exception t) { logger.error("fail " + t); } return progress; }
java
public boolean ifTaskCompletedSuccessOrFailureFromResponse( ResponseOnSingeRequest myResponse) { boolean isCompleted = false; try { if (myResponse == null || myResponse.isFailObtainResponse()) { return isCompleted; } String responseBody = myResponse.getResponseBody(); if (responseBody.matches(successRegex) || responseBody.matches(failureRegex)) { isCompleted = true; } } catch (Exception t) { logger.error("fail " + t); } return isCompleted; }
java
public BoundRequestBuilder createRequest() throws HttpRequestCreateException { BoundRequestBuilder builder = null; getLogger().debug("AHC completeUrl " + requestUrl); try { switch (httpMethod) { case GET: builder = client.prepareGet(requestUrl); break; case POST: builder = client.preparePost(requestUrl); break; case PUT: builder = client.preparePut(requestUrl); break; case HEAD: builder = client.prepareHead(requestUrl); break; case OPTIONS: builder = client.prepareOptions(requestUrl); break; case DELETE: builder = client.prepareDelete(requestUrl); break; default: break; } PcHttpUtils.addHeaders(builder, this.httpHeaderMap); if (!Strings.isNullOrEmpty(postData)) { builder.setBody(postData); String charset = ""; if (null!=this.httpHeaderMap) { charset = this.httpHeaderMap.get("charset"); } if(!Strings.isNullOrEmpty(charset)) { builder.setBodyEncoding(charset); } } } catch (Exception t) { throw new HttpRequestCreateException( "Error in creating request in Httpworker. " + " If BoundRequestBuilder is null. Then fail to create.", t); } return builder; }
java
public ResponseOnSingeRequest onComplete(Response response) { cancelCancellable(); try { Map<String, List<String>> responseHeaders = null; if (responseHeaderMeta != null) { responseHeaders = new LinkedHashMap<String, List<String>>(); if (responseHeaderMeta.isGetAll()) { for (Map.Entry<String, List<String>> header : response .getHeaders()) { responseHeaders.put(header.getKey().toLowerCase(Locale.ROOT), header.getValue()); } } else { for (String key : responseHeaderMeta.getKeys()) { if (response.getHeaders().containsKey(key)) { responseHeaders.put(key.toLowerCase(Locale.ROOT), response.getHeaders().get(key)); } } } } int statusCodeInt = response.getStatusCode(); String statusCode = statusCodeInt + " " + response.getStatusText(); String charset = ParallecGlobalConfig.httpResponseBodyCharsetUsesResponseContentType && response.getContentType()!=null ? AsyncHttpProviderUtils.parseCharset(response.getContentType()) : ParallecGlobalConfig.httpResponseBodyDefaultCharset; if(charset == null){ getLogger().error("charset is not provided from response content type. Use default"); charset = ParallecGlobalConfig.httpResponseBodyDefaultCharset; } reply(response.getResponseBody(charset), false, null, null, statusCode, statusCodeInt, responseHeaders); } catch (IOException e) { getLogger().error("fail response.getResponseBody " + e); } return null; }
java
public void onThrowable(Throwable cause) { this.cause = cause; getSelf().tell(RequestWorkerMsgType.PROCESS_ON_EXCEPTION, getSelf()); }
java
public static List<String> getNodeListFromStringLineSeperateOrSpaceSeperate( String listStr, boolean removeDuplicate) { List<String> nodes = new ArrayList<String>(); for (String token : listStr.split("[\\r?\\n| +]+")) { // 20131025: fix if fqdn has space in the end. if (token != null && !token.trim().isEmpty()) { nodes.add(token.trim()); } } if (removeDuplicate) { removeDuplicateNodeList(nodes); } logger.info("Target hosts size : " + nodes.size()); return nodes; }
java
public static int removeDuplicateNodeList(List<String> list) { int originCount = list.size(); // add elements to all, including duplicates HashSet<String> hs = new LinkedHashSet<String>(); hs.addAll(list); list.clear(); list.addAll(hs); return originCount - list.size(); }
java
public ParallelTaskBuilder setResponseContext( Map<String, Object> responseContext) { if (responseContext != null) this.responseContext = responseContext; else logger.error("context cannot be null. skip set."); return this; }
java
public ParallelTask execute(ParallecResponseHandler handler) { ParallelTask task = new ParallelTask(); try { targetHostMeta = new TargetHostMeta(targetHosts); final ParallelTask taskReal = new ParallelTask(requestProtocol, concurrency, httpMeta, targetHostMeta, sshMeta, tcpMeta, udpMeta, pingMeta, handler, responseContext, replacementVarMapNodeSpecific, replacementVarMap, requestReplacementType, config); task = taskReal; logger.info("***********START_PARALLEL_HTTP_TASK_" + task.getTaskId() + "***********"); // throws ParallelTaskInvalidException task.validateWithFillDefault(); task.setSubmitTime(System.currentTimeMillis()); if (task.getConfig().isEnableCapacityAwareTaskScheduler()) { //late initialize the task scheduler ParallelTaskManager.getInstance().initTaskSchedulerIfNot(); // add task to the wait queue ParallelTaskManager.getInstance().getWaitQ().add(task); logger.info("Enabled CapacityAwareTaskScheduler. Submitted task to waitQ in builder.. " + task.getTaskId()); } else { logger.info( "Disabled CapacityAwareTaskScheduler. Immediately execute task {} ", task.getTaskId()); Runnable director = new Runnable() { public void run() { ParallelTaskManager.getInstance() .generateUpdateExecuteTask(taskReal); } }; new Thread(director).start(); } if (this.getMode() == TaskRunMode.SYNC) { logger.info("Executing task {} in SYNC mode... ", task.getTaskId()); while (task != null && !task.isCompleted()) { try { Thread.sleep(500L); } catch (InterruptedException e) { logger.error("InterruptedException " + e); } } } } catch (ParallelTaskInvalidException ex) { logger.info("Request is invalid with missing parts. Details: " + ex.getMessage() + " Cannot execute at this time. " + " Please review your request and try again.\nCommand:" + httpMeta.toString()); task.setState(ParallelTaskState.COMPLETED_WITH_ERROR); task.getTaskErrorMetas().add( new TaskErrorMeta(TaskErrorType.VALIDATION_ERROR, "validation eror")); } catch (Exception t) { logger.error("fail task builder. Unknown error: " + t, t); task.setState(ParallelTaskState.COMPLETED_WITH_ERROR); task.getTaskErrorMetas().add( new TaskErrorMeta(TaskErrorType.UNKNOWN, "unknown eror", t)); } logger.info("***********FINISH_PARALLEL_HTTP_TASK_" + task.getTaskId() + "***********"); return task; }
java
public boolean validation() throws ParallelTaskInvalidException { ParallelTask task = new ParallelTask(); targetHostMeta = new TargetHostMeta(targetHosts); task = new ParallelTask(requestProtocol, concurrency, httpMeta, targetHostMeta, sshMeta, tcpMeta, udpMeta, pingMeta, null, responseContext, replacementVarMapNodeSpecific, replacementVarMap, requestReplacementType, config); boolean valid = false; try { valid = task.validateWithFillDefault(); } catch (ParallelTaskInvalidException e) { logger.info("task is invalid " + e); } return valid; }
java
public ParallelTaskBuilder setTargetHostsFromJsonPath(String jsonPath, String sourcePath, HostsSourceType sourceType) throws TargetHostsLoadException { this.targetHosts = targetHostBuilder.setTargetHostsFromJsonPath(jsonPath, sourcePath, sourceType); return this; }
java
public ParallelTaskBuilder setTargetHostsFromLineByLineText( String sourcePath, HostsSourceType sourceType) throws TargetHostsLoadException { this.targetHosts = targetHostBuilder.setTargetHostsFromLineByLineText(sourcePath, sourceType); return this; }
java
public ParallelTaskBuilder setReplacementVarMapNodeSpecific( Map<String, StrStrMap> replacementVarMapNodeSpecific) { this.replacementVarMapNodeSpecific.clear(); this.replacementVarMapNodeSpecific .putAll(replacementVarMapNodeSpecific); this.requestReplacementType = RequestReplacementType.TARGET_HOST_SPECIFIC_VAR_REPLACEMENT; logger.info("Set requestReplacementType as {}" + requestReplacementType.toString()); return this; }
java
public ParallelTaskBuilder setReplaceVarMapToSingleTargetFromMap( Map<String, StrStrMap> replacementVarMapNodeSpecific, String uniformTargetHost) { setReplacementVarMapNodeSpecific(replacementVarMapNodeSpecific); if (Strings.isNullOrEmpty(uniformTargetHost)) { logger.error("uniform target host is empty or null. skip setting."); return this; } for (Entry<String, StrStrMap> entry : replacementVarMapNodeSpecific .entrySet()) { if (entry.getValue() != null) { entry.getValue().addPair(PcConstants.UNIFORM_TARGET_HOST_VAR, uniformTargetHost); } } return this; }
java
public ParallelTaskBuilder setReplaceVarMapToSingleTargetSingleVar( String variable, List<String> replaceList, String uniformTargetHost) { if (Strings.isNullOrEmpty(uniformTargetHost)) { logger.error("uniform target host is empty or null. skil setting."); return this; } this.replacementVarMapNodeSpecific.clear(); this.targetHosts.clear(); int i = 0; for (String replace : replaceList) { if (replace == null){ logger.error("null replacement.. skip"); continue; } String hostName = PcConstants.API_PREFIX + i; replacementVarMapNodeSpecific.put( hostName, new StrStrMap().addPair(variable, replace).addPair( PcConstants.UNIFORM_TARGET_HOST_VAR, uniformTargetHost)); targetHosts.add(hostName); ++i; } this.requestReplacementType = RequestReplacementType.TARGET_HOST_SPECIFIC_VAR_REPLACEMENT; logger.info( "Set requestReplacementType as {} for single target. Will disable the set target hosts." + "Also Simulated " + "Now Already set targetHost list with size {}. \nPLEASE NOT TO SET TARGET HOSTS AGAIN WITH THIS API.", requestReplacementType.toString(), targetHosts.size()); return this; }
java
public ParallelTaskBuilder setReplaceVarMapToSingleTarget( List<StrStrMap> replacementVarMapList, String uniformTargetHost) { if (Strings.isNullOrEmpty(uniformTargetHost)) { logger.error("uniform target host is empty or null. skil setting."); return this; } this.replacementVarMapNodeSpecific.clear(); this.targetHosts.clear(); int i = 0; for (StrStrMap ssm : replacementVarMapList) { if (ssm == null) continue; String hostName = PcConstants.API_PREFIX + i; ssm.addPair(PcConstants.UNIFORM_TARGET_HOST_VAR, uniformTargetHost); replacementVarMapNodeSpecific.put(hostName, ssm); targetHosts.add(hostName); ++i; } this.requestReplacementType = RequestReplacementType.TARGET_HOST_SPECIFIC_VAR_REPLACEMENT; logger.info( "Set requestReplacementType as {} for single target. Will disable the set target hosts." + "Also Simulated " + "Now Already set targetHost list with size {}. \nPLEASE NOT TO SET TARGET HOSTS AGAIN WITH THIS API.", requestReplacementType.toString(), targetHosts.size()); return this; }
java
public ParallelTaskBuilder setReplacementVarMap( Map<String, String> replacementVarMap) { this.replacementVarMap = replacementVarMap; // TODO Check and warning of overwriting // set as uniform this.requestReplacementType = RequestReplacementType.UNIFORM_VAR_REPLACEMENT; return this; }
java
public ParallelTaskBuilder setHttpPollerProcessor( HttpPollerProcessor httpPollerProcessor) { this.httpMeta.setHttpPollerProcessor(httpPollerProcessor); this.httpMeta.setPollable(true); return this; }
java
public ParallelTaskBuilder setSshPassword(String password) { this.sshMeta.setPassword(password); this.sshMeta.setSshLoginType(SshLoginType.PASSWORD); return this; }
java
public ParallelTaskBuilder setSshPrivKeyRelativePath( String privKeyRelativePath) { this.sshMeta.setPrivKeyRelativePath(privKeyRelativePath); this.sshMeta.setSshLoginType(SshLoginType.KEY); return this; }
java
public ParallelTaskBuilder setSshPrivKeyRelativePathWtihPassphrase( String privKeyRelativePath, String passphrase) { this.sshMeta.setPrivKeyRelativePath(privKeyRelativePath); this.sshMeta.setPrivKeyUsePassphrase(true); this.sshMeta.setPassphrase(passphrase); this.sshMeta.setSshLoginType(SshLoginType.KEY); return this; }
java
public static String getDateTimeStr(Date d) { if (d == null) return ""; SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSSZ"); // 20140315 test will problem +0000 return sdf.format(d); }
java
public static String getDateTimeStrStandard(Date d) { if (d == null) return ""; if (d.getTime() == 0L) return "Never"; SimpleDateFormat sdf = new SimpleDateFormat("yyyy.MM.dd.HH.mm.ss.SSSZ"); return sdf.format(d); }
java
public static String getDateTimeStrConcise(Date d) { if (d == null) return ""; SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMddHHmmssSSSZ"); return sdf.format(d); }
java
public static Date getDateFromConciseStr(String str) { Date d = null; if (str == null || str.isEmpty()) return null; try { SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMddHHmmssSSSZ"); d = sdf.parse(str); } catch (Exception ex) { logger.error(ex + "Exception while converting string to date : " + str); } return d; }
java
private final void handleHttpWorkerResponse( ResponseOnSingeRequest respOnSingleReq) throws Exception { // Successful response from GenericAsyncHttpWorker // Jeff 20310411: use generic response String responseContent = respOnSingleReq.getResponseBody(); response.setResponseContent(respOnSingleReq.getResponseBody()); /** * Poller logic if pollable: check if need to poll/ or already complete * 1. init poller data and HttpPollerProcessor 2. check if task * complete, if not, send the request again. */ if (request.isPollable()) { boolean scheduleNextPoll = false; boolean errorFindingUuid = false; // set JobId of the poller if (!pollerData.isUuidHasBeenSet()) { String jobId = httpPollerProcessor .getUuidFromResponse(respOnSingleReq); if (jobId.equalsIgnoreCase(PcConstants.NA)) { errorFindingUuid = true; pollingErrorCount++; logger.error("!!POLLING_JOB_FAIL_FIND_JOBID_IN_RESPONSE!! FAIL FAST NOW. PLEASE CHECK getJobIdRegex or retry. " + "DEBUG: REGEX_JOBID: " + httpPollerProcessor.getJobIdRegex() + "RESPONSE: " + respOnSingleReq.getResponseBody() + " polling Error count" + pollingErrorCount + " at " + PcDateUtils.getNowDateTimeStrStandard()); // fail fast pollerData.setError(true); pollerData.setComplete(true); } else { pollerData.setJobIdAndMarkHasBeenSet(jobId); // if myResponse has other errors, mark poll data as error. pollerData.setError(httpPollerProcessor .ifThereIsErrorInResponse(respOnSingleReq)); } } if (!pollerData.isError()) { pollerData .setComplete(httpPollerProcessor .ifTaskCompletedSuccessOrFailureFromResponse(respOnSingleReq)); pollerData.setCurrentProgress(httpPollerProcessor .getProgressFromResponse(respOnSingleReq)); } // poll again only if not complete AND no error; 2015: change to // over limit scheduleNextPoll = !pollerData.isComplete() && (pollingErrorCount <= httpPollerProcessor .getMaxPollError()); // Schedule next poll and return. (not to answer back to manager yet // ) if (scheduleNextPoll && (pollingErrorCount <= httpPollerProcessor .getMaxPollError())) { pollMessageCancellable = getContext() .system() .scheduler() .scheduleOnce( Duration.create(httpPollerProcessor .getPollIntervalMillis(), TimeUnit.MILLISECONDS), getSelf(), OperationWorkerMsgType.POLL_PROGRESS, getContext().system().dispatcher(), getSelf()); logger.info("\nPOLLER_NOW_ANOTHER_POLL: POLL_RECV_SEND" + String.format("PROGRESS:%.3f, BODY:%s ", pollerData.getCurrentProgress(), responseContent, PcDateUtils.getNowDateTimeStrStandard())); String responseContentNew = errorFindingUuid ? responseContent + "_PollingErrorCount:" + pollingErrorCount : responseContent; logger.info(responseContentNew); // log pollerData.getPollingHistoryMap().put( "RECV_" + PcDateUtils.getNowDateTimeStrConciseNoZone(), String.format("PROGRESS:%.3f, BODY:%s", pollerData.getCurrentProgress(), responseContent)); return; } else { pollerData .getPollingHistoryMap() .put("RECV_" + PcDateUtils.getNowDateTimeStrConciseNoZone(), String.format( "POLL_COMPLETED_OR_ERROR: PROGRESS:%.3f, BODY:%s ", pollerData.getCurrentProgress(), responseContent)); } }// end if (request.isPollable()) reply(respOnSingleReq.isFailObtainResponse(), respOnSingleReq.getErrorMessage(), respOnSingleReq.getStackTrace(), respOnSingleReq.getStatusCode(), respOnSingleReq.getStatusCodeInt(), respOnSingleReq.getReceiveTime(), respOnSingleReq.getResponseHeaders()); }
java
private final void processMainRequest() { sender = getSender(); startTimeMillis = System.currentTimeMillis(); timeoutDuration = Duration.create( request.getActorMaxOperationTimeoutSec(), TimeUnit.SECONDS); actorMaxOperationTimeoutSec = request.getActorMaxOperationTimeoutSec(); if (request.getProtocol() == RequestProtocol.HTTP || request.getProtocol() == RequestProtocol.HTTPS) { String urlComplete = String.format("%s://%s:%d%s", request .getProtocol().toString(), trueTargetNode, request .getPort(), request.getResourcePath()); // http://stackoverflow.com/questions/1600291/validating-url-in-java if (!PcHttpUtils.isUrlValid(urlComplete.trim())) { String errMsg = "INVALID_URL"; logger.error("INVALID_URL: " + urlComplete + " return.."); replyErrors(errMsg, errMsg, PcConstants.NA, PcConstants.NA_INT); return; } else { logger.debug("url pass validation: " + urlComplete); } asyncWorker = getContext().actorOf( Props.create(HttpWorker.class, actorMaxOperationTimeoutSec, client, urlComplete, request.getHttpMethod(), request.getPostData(), request.getHttpHeaderMap(), request.getResponseHeaderMeta())); } else if (request.getProtocol() == RequestProtocol.SSH ){ asyncWorker = getContext().actorOf( Props.create(SshWorker.class, actorMaxOperationTimeoutSec, request.getSshMeta(), trueTargetNode)); } else if (request.getProtocol() == RequestProtocol.TCP ){ asyncWorker = getContext().actorOf( Props.create(TcpWorker.class, actorMaxOperationTimeoutSec, request.getTcpMeta(), trueTargetNode)); } else if (request.getProtocol() == RequestProtocol.UDP ){ asyncWorker = getContext().actorOf( Props.create(UdpWorker.class, actorMaxOperationTimeoutSec, request.getUdpMeta(), trueTargetNode)); } else if (request.getProtocol() == RequestProtocol.PING ){ asyncWorker = getContext().actorOf( Props.create(PingWorker.class, actorMaxOperationTimeoutSec, request.getPingMeta(), trueTargetNode)); } asyncWorker.tell(RequestWorkerMsgType.PROCESS_REQUEST, getSelf()); cancelExistingIfAnyAndScheduleTimeoutCall(); }
java
@SuppressWarnings("deprecation") private final void operationTimeout() { /** * first kill async http worker; before suicide LESSON: MUST KILL AND * WAIT FOR CHILDREN to reply back before kill itself. */ cancelCancellable(); if (asyncWorker != null && !asyncWorker.isTerminated()) { asyncWorker .tell(RequestWorkerMsgType.PROCESS_ON_TIMEOUT, getSelf()); } else { logger.info("asyncWorker has been killed or uninitialized (null). " + "Not send PROCESS ON TIMEOUT.\nREQ: " + request.toString()); replyErrors(PcConstants.OPERATION_TIMEOUT, PcConstants.OPERATION_TIMEOUT, PcConstants.NA, PcConstants.NA_INT); } }
java
private final void replyErrors(final String errorMessage, final String stackTrace, final String statusCode, final int statusCodeInt) { reply(true, errorMessage, stackTrace, statusCode, statusCodeInt, PcConstants.NA, null); }
java
public static void addHeaders(BoundRequestBuilder builder, Map<String, String> headerMap) { for (Entry<String, String> entry : headerMap.entrySet()) { String name = entry.getKey(); String value = entry.getValue(); builder.addHeader(name, value); } }
java
@SuppressWarnings("deprecation") public boolean cancelOnTargetHosts(List<String> targetHosts) { boolean success = false; try { switch (state) { case IN_PROGRESS: if (executionManager != null && !executionManager.isTerminated()) { executionManager.tell(new CancelTaskOnHostRequest( targetHosts), executionManager); logger.info( "asked task to stop from running on target hosts with count {}...", targetHosts.size()); } else { logger.info("manager already killed or not exist.. NO OP"); } success = true; break; case COMPLETED_WITHOUT_ERROR: case COMPLETED_WITH_ERROR: case WAITING: logger.info("will NO OP for cancelOnTargetHost as it is not in IN_PROGRESS state"); success = true; break; default: break; } } catch (Exception e) { logger.error( "cancel task {} on hosts with count {} error with exception details ", this.getTaskId(), targetHosts.size(), e); } return success; }
java