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 |
|---|---|---|---|---|---|---|---|---|---|---|---|
greenrobot/essentials | java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java | StringUtils.decodeUrlIso | 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 decodeUrlIso(String stringToDecode) {
try {
return URLDecoder.decode(stringToDecode, "ISO-8859-1");
} catch (UnsupportedEncodingException e1) {
throw new RuntimeException(e1);
}
} | [
"public",
"static",
"String",
"decodeUrlIso",
"(",
"String",
"stringToDecode",
")",
"{",
"try",
"{",
"return",
"URLDecoder",
".",
"decode",
"(",
"stringToDecode",
",",
"\"ISO-8859-1\"",
")",
";",
"}",
"catch",
"(",
"UnsupportedEncodingException",
"e1",
")",
"{",... | URL-Decodes a given string using ISO-8859-1. No UnsupportedEncodingException to handle as it is dealt with in
this method. | [
"URL",
"-",
"Decodes",
"a",
"given",
"string",
"using",
"ISO",
"-",
"8859",
"-",
"1",
".",
"No",
"UnsupportedEncodingException",
"to",
"handle",
"as",
"it",
"is",
"dealt",
"with",
"in",
"this",
"method",
"."
] | 31eaaeb410174004196c9ef9c9469e0d02afd94b | https://github.com/greenrobot/essentials/blob/31eaaeb410174004196c9ef9c9469e0d02afd94b/java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java#L104-L110 | train |
greenrobot/essentials | java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java | StringUtils.ellipsize | 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 ellipsize(String text, int maxLength, String end) {
if (text != null && text.length() > maxLength) {
return text.substring(0, maxLength - end.length()) + end;
}
return text;
} | [
"public",
"static",
"String",
"ellipsize",
"(",
"String",
"text",
",",
"int",
"maxLength",
",",
"String",
"end",
")",
"{",
"if",
"(",
"text",
"!=",
"null",
"&&",
"text",
".",
"length",
"(",
")",
">",
"maxLength",
")",
"{",
"return",
"text",
".",
"sub... | Cuts the string at the end if it's longer than maxLength and appends the given end string to it. The length of
the resulting string is always less or equal to the given maxLength. It's valid to pass a null text; in this
case null is returned. | [
"Cuts",
"the",
"string",
"at",
"the",
"end",
"if",
"it",
"s",
"longer",
"than",
"maxLength",
"and",
"appends",
"the",
"given",
"end",
"string",
"to",
"it",
".",
"The",
"length",
"of",
"the",
"resulting",
"string",
"is",
"always",
"less",
"or",
"equal",
... | 31eaaeb410174004196c9ef9c9469e0d02afd94b | https://github.com/greenrobot/essentials/blob/31eaaeb410174004196c9ef9c9469e0d02afd94b/java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java#L228-L233 | train |
greenrobot/essentials | java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java | StringUtils.join | 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(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 "";
}
} | [
"public",
"static",
"String",
"join",
"(",
"Iterable",
"<",
"?",
">",
"iterable",
",",
"String",
"separator",
")",
"{",
"if",
"(",
"iterable",
"!=",
"null",
")",
"{",
"StringBuilder",
"buf",
"=",
"new",
"StringBuilder",
"(",
")",
";",
"Iterator",
"<",
... | Joins the given iterable objects using the given separator into a single string.
@return the joined string or an empty string if iterable is null | [
"Joins",
"the",
"given",
"iterable",
"objects",
"using",
"the",
"given",
"separator",
"into",
"a",
"single",
"string",
"."
] | 31eaaeb410174004196c9ef9c9469e0d02afd94b | https://github.com/greenrobot/essentials/blob/31eaaeb410174004196c9ef9c9469e0d02afd94b/java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java#L259-L279 | train |
greenrobot/essentials | java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java | StringUtils.join | 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 | 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 "";
}
} | [
"public",
"static",
"String",
"join",
"(",
"int",
"[",
"]",
"array",
",",
"String",
"separator",
")",
"{",
"if",
"(",
"array",
"!=",
"null",
")",
"{",
"StringBuilder",
"buf",
"=",
"new",
"StringBuilder",
"(",
"Math",
".",
"max",
"(",
"16",
",",
"(",
... | Joins the given ints using the given separator into a single string.
@return the joined string or an empty string if the int array is null | [
"Joins",
"the",
"given",
"ints",
"using",
"the",
"given",
"separator",
"into",
"a",
"single",
"string",
"."
] | 31eaaeb410174004196c9ef9c9469e0d02afd94b | https://github.com/greenrobot/essentials/blob/31eaaeb410174004196c9ef9c9469e0d02afd94b/java-essentials/src/main/java/org/greenrobot/essentials/StringUtils.java#L286-L305 | train |
mkopylec/charon-spring-boot-starter | src/main/java/com/github/mkopylec/charon/core/http/RequestForwarder.java | RequestForwarder.prepareForwardedResponseHeaders | 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 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");
} | [
"protected",
"void",
"prepareForwardedResponseHeaders",
"(",
"ResponseData",
"response",
")",
"{",
"HttpHeaders",
"headers",
"=",
"response",
".",
"getHeaders",
"(",
")",
";",
"headers",
".",
"remove",
"(",
"TRANSFER_ENCODING",
")",
";",
"headers",
".",
"remove",
... | Remove any protocol-level headers from the remote server's response that
do not apply to the new response we are sending.
@param response | [
"Remove",
"any",
"protocol",
"-",
"level",
"headers",
"from",
"the",
"remote",
"server",
"s",
"response",
"that",
"do",
"not",
"apply",
"to",
"the",
"new",
"response",
"we",
"are",
"sending",
"."
] | 9a3aa4ffd0bae6a1f94cd983bbf17cd36f4ff594 | https://github.com/mkopylec/charon-spring-boot-starter/blob/9a3aa4ffd0bae6a1f94cd983bbf17cd36f4ff594/src/main/java/com/github/mkopylec/charon/core/http/RequestForwarder.java#L98-L105 | train |
mkopylec/charon-spring-boot-starter | src/main/java/com/github/mkopylec/charon/core/http/RequestForwarder.java | RequestForwarder.prepareForwardedRequestHeaders | protected void prepareForwardedRequestHeaders(RequestData request, ForwardDestination destination) {
HttpHeaders headers = request.getHeaders();
headers.set(HOST, destination.getUri().getAuthority());
headers.remove(TE);
} | java | protected void prepareForwardedRequestHeaders(RequestData request, ForwardDestination destination) {
HttpHeaders headers = request.getHeaders();
headers.set(HOST, destination.getUri().getAuthority());
headers.remove(TE);
} | [
"protected",
"void",
"prepareForwardedRequestHeaders",
"(",
"RequestData",
"request",
",",
"ForwardDestination",
"destination",
")",
"{",
"HttpHeaders",
"headers",
"=",
"request",
".",
"getHeaders",
"(",
")",
";",
"headers",
".",
"set",
"(",
"HOST",
",",
"destinat... | Remove any protocol-level headers from the clients request that
do not apply to the new request we are sending to the remote server.
@param request
@param destination | [
"Remove",
"any",
"protocol",
"-",
"level",
"headers",
"from",
"the",
"clients",
"request",
"that",
"do",
"not",
"apply",
"to",
"the",
"new",
"request",
"we",
"are",
"sending",
"to",
"the",
"remote",
"server",
"."
] | 9a3aa4ffd0bae6a1f94cd983bbf17cd36f4ff594 | https://github.com/mkopylec/charon-spring-boot-starter/blob/9a3aa4ffd0bae6a1f94cd983bbf17cd36f4ff594/src/main/java/com/github/mkopylec/charon/core/http/RequestForwarder.java#L114-L118 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationRepository.java | MigrationRepository.normalizePath | 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 | 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();
} | [
"private",
"String",
"normalizePath",
"(",
"String",
"scriptPath",
")",
"{",
"StringBuilder",
"builder",
"=",
"new",
"StringBuilder",
"(",
"scriptPath",
".",
"length",
"(",
")",
"+",
"1",
")",
";",
"if",
"(",
"scriptPath",
".",
"startsWith",
"(",
"\"/\"",
... | Ensures that every path starts and ends with a slash character.
@param scriptPath the scriptPath that needs to be normalized
@return a path with leading and trailing slash | [
"Ensures",
"that",
"every",
"path",
"starts",
"and",
"ends",
"with",
"a",
"slash",
"character",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationRepository.java#L143-L154 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationRepository.java | MigrationRepository.getMigrationsSinceVersion | 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 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;
} | [
"public",
"List",
"<",
"DbMigration",
">",
"getMigrationsSinceVersion",
"(",
"int",
"version",
")",
"{",
"List",
"<",
"DbMigration",
">",
"dbMigrations",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";",
"migrationScripts",
".",
"stream",
"(",
")",
".",
"filter"... | Returns all migrations starting from and excluding the given version. Usually you want to provide the version of
the database here to get all migrations that need to be executed. In case there is no script with a newer
version than the one given, an empty list is returned.
@param version the version that is currently in the database
@return all versions since the given version or an empty list if no newer script is available. Never null.
Does not include the given version. | [
"Returns",
"all",
"migrations",
"starting",
"from",
"and",
"excluding",
"the",
"given",
"version",
".",
"Usually",
"you",
"want",
"to",
"provide",
"the",
"version",
"of",
"the",
"database",
"here",
"to",
"get",
"all",
"migrations",
"that",
"need",
"to",
"be"... | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationRepository.java#L235-L242 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/Database.java | Database.getVersion | 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 | public int getVersion() {
ResultSet resultSet = session.execute(format(VERSION_QUERY, getTableName()));
Row result = resultSet.one();
if (result == null) {
return 0;
}
return result.getInt(0);
} | [
"public",
"int",
"getVersion",
"(",
")",
"{",
"ResultSet",
"resultSet",
"=",
"session",
".",
"execute",
"(",
"format",
"(",
"VERSION_QUERY",
",",
"getTableName",
"(",
")",
")",
")",
";",
"Row",
"result",
"=",
"resultSet",
".",
"one",
"(",
")",
";",
"if... | Gets the current version of the database schema. This version is taken
from the migration table and represent the latest successful entry.
@return the current schema version | [
"Gets",
"the",
"current",
"version",
"of",
"the",
"database",
"schema",
".",
"This",
"version",
"is",
"taken",
"from",
"the",
"migration",
"table",
"and",
"represent",
"the",
"latest",
"successful",
"entry",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/Database.java#L134-L141 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/Database.java | Database.logMigration | private void logMigration(DbMigration migration, boolean wasSuccessful) {
BoundStatement boundStatement = logMigrationStatement.bind(wasSuccessful, migration.getVersion(),
migration.getScriptName(), migration.getMigrationScript(), new Date());
session.execute(boundStatement);
} | java | private void logMigration(DbMigration migration, boolean wasSuccessful) {
BoundStatement boundStatement = logMigrationStatement.bind(wasSuccessful, migration.getVersion(),
migration.getScriptName(), migration.getMigrationScript(), new Date());
session.execute(boundStatement);
} | [
"private",
"void",
"logMigration",
"(",
"DbMigration",
"migration",
",",
"boolean",
"wasSuccessful",
")",
"{",
"BoundStatement",
"boundStatement",
"=",
"logMigrationStatement",
".",
"bind",
"(",
"wasSuccessful",
",",
"migration",
".",
"getVersion",
"(",
")",
",",
... | Inserts the result of the migration into the migration table
@param migration the migration that was executed
@param wasSuccessful indicates if the migration was successful or not | [
"Inserts",
"the",
"result",
"of",
"the",
"migration",
"into",
"the",
"migration",
"table"
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/Database.java#L219-L223 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationTask.java | MigrationTask.migrate | 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 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();
} | [
"public",
"void",
"migrate",
"(",
")",
"{",
"if",
"(",
"databaseIsUpToDate",
"(",
")",
")",
"{",
"LOGGER",
".",
"info",
"(",
"format",
"(",
"\"Keyspace %s is already up to date at version %d\"",
",",
"database",
".",
"getKeyspaceName",
"(",
")",
",",
"database",... | Start the actual migration. Take the version of the database, get all required migrations and execute them or do
nothing if the DB is already up to date.
At the end the underlying database instance is closed.
@throws MigrationException if a migration fails | [
"Start",
"the",
"actual",
"migration",
".",
"Take",
"the",
"version",
"of",
"the",
"database",
"get",
"all",
"required",
"migrations",
"and",
"execute",
"them",
"or",
"do",
"nothing",
"if",
"the",
"DB",
"is",
"already",
"up",
"to",
"date",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/MigrationTask.java#L44-L55 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java | FileSystemLocationScanner.findResourceNames | 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 | 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);
} | [
"public",
"Set",
"<",
"String",
">",
"findResourceNames",
"(",
"String",
"location",
",",
"URI",
"locationUri",
")",
"throws",
"IOException",
"{",
"String",
"filePath",
"=",
"toFilePath",
"(",
"locationUri",
")",
";",
"File",
"folder",
"=",
"new",
"File",
"(... | Scans a path on the filesystem for resources inside the given classpath location.
@param location The system-independent location on the classpath.
@param locationUri The system-specific physical location URI.
@return a sorted set containing all the resources inside the given location
@throws IOException if an error accessing the filesystem happens | [
"Scans",
"a",
"path",
"on",
"the",
"filesystem",
"for",
"resources",
"inside",
"the",
"given",
"classpath",
"location",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java#L34-L48 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java | FileSystemLocationScanner.findResourceNamesFromFileSystem | 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 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;
} | [
"private",
"Set",
"<",
"String",
">",
"findResourceNamesFromFileSystem",
"(",
"String",
"classPathRootOnDisk",
",",
"String",
"scanRootLocation",
",",
"File",
"folder",
")",
"{",
"LOGGER",
".",
"debug",
"(",
"\"Scanning for resources in path: {} ({})\"",
",",
"folder",
... | Finds all the resource names contained in this file system folder.
@param classPathRootOnDisk The location of the classpath root on disk, with a trailing slash.
@param scanRootLocation The root location of the scan on the classpath, without leading or trailing slashes.
@param folder The folder to look for resources under on disk.
@return The resource names; | [
"Finds",
"all",
"the",
"resource",
"names",
"contained",
"in",
"this",
"file",
"system",
"folder",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java#L58-L79 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java | FileSystemLocationScanner.toResourceNameOnClasspath | private String toResourceNameOnClasspath(String classPathRootOnDisk, File file) {
String fileName = file.getAbsolutePath().replace("\\", "/");
return fileName.substring(classPathRootOnDisk.length());
} | java | private String toResourceNameOnClasspath(String classPathRootOnDisk, File file) {
String fileName = file.getAbsolutePath().replace("\\", "/");
return fileName.substring(classPathRootOnDisk.length());
} | [
"private",
"String",
"toResourceNameOnClasspath",
"(",
"String",
"classPathRootOnDisk",
",",
"File",
"file",
")",
"{",
"String",
"fileName",
"=",
"file",
".",
"getAbsolutePath",
"(",
")",
".",
"replace",
"(",
"\"\\\\\"",
",",
"\"/\"",
")",
";",
"return",
"file... | Converts this file into a resource name on the classpath by cutting of the file path
to the classpath root.
@param classPathRootOnDisk The location of the classpath root on disk, with a trailing slash.
@param file The file.
@return The resource name on the classpath. | [
"Converts",
"this",
"file",
"into",
"a",
"resource",
"name",
"on",
"the",
"classpath",
"by",
"cutting",
"of",
"the",
"file",
"path",
"to",
"the",
"classpath",
"root",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/scanner/FileSystemLocationScanner.java#L89-L92 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/util/Ensure.java | Ensure.notNull | 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 <T> T notNull(T argument, String argumentName) {
if (argument == null) {
throw new IllegalArgumentException("Argument " + argumentName + " must not be null.");
}
return argument;
} | [
"public",
"static",
"<",
"T",
">",
"T",
"notNull",
"(",
"T",
"argument",
",",
"String",
"argumentName",
")",
"{",
"if",
"(",
"argument",
"==",
"null",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Argument \"",
"+",
"argumentName",
"+",
"\"... | Checks if the given argument is null and throws an exception with a
message containing the argument name if that it true.
@param argument the argument to check for null
@param argumentName the name of the argument to check.
This is used in the exception message.
@param <T> the type of the argument
@return the argument itself
@throws IllegalArgumentException in case argument is null | [
"Checks",
"if",
"the",
"given",
"argument",
"is",
"null",
"and",
"throws",
"an",
"exception",
"with",
"a",
"message",
"containing",
"the",
"argument",
"name",
"if",
"that",
"it",
"true",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/util/Ensure.java#L21-L26 | train |
patka/cassandra-migration | cassandra-migration/src/main/java/org/cognitor/cassandra/migration/util/Ensure.java | Ensure.notNullOrEmpty | 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 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;
} | [
"public",
"static",
"String",
"notNullOrEmpty",
"(",
"String",
"argument",
",",
"String",
"argumentName",
")",
"{",
"if",
"(",
"argument",
"==",
"null",
"||",
"argument",
".",
"trim",
"(",
")",
".",
"isEmpty",
"(",
")",
")",
"{",
"throw",
"new",
"Illegal... | Checks if the given String is null or contains only whitespaces.
The String is trimmed before the empty check.
@param argument the String to check for null or emptiness
@param argumentName the name of the argument to check.
This is used in the exception message.
@return the String that was given as argument
@throws IllegalArgumentException in case argument is null or empty | [
"Checks",
"if",
"the",
"given",
"String",
"is",
"null",
"or",
"contains",
"only",
"whitespaces",
".",
"The",
"String",
"is",
"trimmed",
"before",
"the",
"empty",
"check",
"."
] | c61840c23b17a18df704d136909c26ff46bd5c77 | https://github.com/patka/cassandra-migration/blob/c61840c23b17a18df704d136909c26ff46bd5c77/cassandra-migration/src/main/java/org/cognitor/cassandra/migration/util/Ensure.java#L38-L43 | train |
allure-framework/allure1 | allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java | AllureFileUtils.unmarshal | public static TestSuiteResult unmarshal(File testSuite) throws IOException {
try (InputStream stream = new FileInputStream(testSuite)) {
return unmarshal(stream);
}
} | java | public static TestSuiteResult unmarshal(File testSuite) throws IOException {
try (InputStream stream = new FileInputStream(testSuite)) {
return unmarshal(stream);
}
} | [
"public",
"static",
"TestSuiteResult",
"unmarshal",
"(",
"File",
"testSuite",
")",
"throws",
"IOException",
"{",
"try",
"(",
"InputStream",
"stream",
"=",
"new",
"FileInputStream",
"(",
"testSuite",
")",
")",
"{",
"return",
"unmarshal",
"(",
"stream",
")",
";"... | Unmarshal test suite from given file. | [
"Unmarshal",
"test",
"suite",
"from",
"given",
"file",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java#L38-L42 | train |
allure-framework/allure1 | allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java | AllureFileUtils.unmarshalSuites | 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<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;
} | [
"public",
"static",
"List",
"<",
"TestSuiteResult",
">",
"unmarshalSuites",
"(",
"File",
"...",
"directories",
")",
"throws",
"IOException",
"{",
"List",
"<",
"TestSuiteResult",
">",
"results",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";",
"List",
"<",
"File... | Find and unmarshal all test suite files in given directories.
@throws IOException if any occurs.
@see #unmarshal(File) | [
"Find",
"and",
"unmarshal",
"all",
"test",
"suite",
"files",
"in",
"given",
"directories",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java#L68-L77 | train |
allure-framework/allure1 | allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java | AllureFileUtils.listFilesByRegex | public static List<File> listFilesByRegex(String regex, File... directories) {
return listFiles(directories,
new RegexFileFilter(regex),
CanReadFileFilter.CAN_READ);
} | java | public static List<File> listFilesByRegex(String regex, File... directories) {
return listFiles(directories,
new RegexFileFilter(regex),
CanReadFileFilter.CAN_READ);
} | [
"public",
"static",
"List",
"<",
"File",
">",
"listFilesByRegex",
"(",
"String",
"regex",
",",
"File",
"...",
"directories",
")",
"{",
"return",
"listFiles",
"(",
"directories",
",",
"new",
"RegexFileFilter",
"(",
"regex",
")",
",",
"CanReadFileFilter",
".",
... | Returns list of files matches specified regex in specified directories
@param regex to match file names
@param directories to find
@return list of files matches specified regex in specified directories | [
"Returns",
"list",
"of",
"files",
"matches",
"specified",
"regex",
"in",
"specified",
"directories"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java#L112-L116 | train |
allure-framework/allure1 | allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java | AllureFileUtils.listFiles | 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 | 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;
} | [
"public",
"static",
"List",
"<",
"File",
">",
"listFiles",
"(",
"File",
"[",
"]",
"directories",
",",
"IOFileFilter",
"fileFilter",
",",
"IOFileFilter",
"dirFilter",
")",
"{",
"List",
"<",
"File",
">",
"files",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";... | Returns list of files matches filters in specified directories
@param directories which will using to find files
@param fileFilter file filter
@param dirFilter directory filter
@return list of files matches filters in specified directories | [
"Returns",
"list",
"of",
"files",
"matches",
"filters",
"in",
"specified",
"directories"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commons/src/main/java/ru/yandex/qatools/allure/commons/AllureFileUtils.java#L126-L138 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java | AnnotationManager.populateAnnotations | private void populateAnnotations(Collection<Annotation> annotations) {
for (Annotation each : annotations) {
this.annotations.put(each.annotationType(), each);
}
} | java | private void populateAnnotations(Collection<Annotation> annotations) {
for (Annotation each : annotations) {
this.annotations.put(each.annotationType(), each);
}
} | [
"private",
"void",
"populateAnnotations",
"(",
"Collection",
"<",
"Annotation",
">",
"annotations",
")",
"{",
"for",
"(",
"Annotation",
"each",
":",
"annotations",
")",
"{",
"this",
".",
"annotations",
".",
"put",
"(",
"each",
".",
"annotationType",
"(",
")"... | Used to populate Map with given annotations
@param annotations initial value for annotations | [
"Used",
"to",
"populate",
"Map",
"with",
"given",
"annotations"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java#L76-L80 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java | AnnotationManager.setDefaults | 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 | 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);
}
}
} | [
"public",
"void",
"setDefaults",
"(",
"Annotation",
"[",
"]",
"defaultAnnotations",
")",
"{",
"if",
"(",
"defaultAnnotations",
"==",
"null",
")",
"{",
"return",
";",
"}",
"for",
"(",
"Annotation",
"each",
":",
"defaultAnnotations",
")",
"{",
"Class",
"<",
... | Set default values for annotations.
Initial annotation take precedence over the default annotation when both annotation types are present
@param defaultAnnotations default value for annotations | [
"Set",
"default",
"values",
"for",
"annotations",
".",
"Initial",
"annotation",
"take",
"precedence",
"over",
"the",
"default",
"annotation",
"when",
"both",
"annotation",
"types",
"are",
"present"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java#L88-L101 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java | AnnotationManager.getHostname | 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 | 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;
} | [
"private",
"static",
"String",
"getHostname",
"(",
")",
"{",
"if",
"(",
"Hostname",
"==",
"null",
")",
"{",
"try",
"{",
"Hostname",
"=",
"InetAddress",
".",
"getLocalHost",
"(",
")",
".",
"getHostName",
"(",
")",
";",
"}",
"catch",
"(",
"Exception",
"e... | Save current hostname and reuse it.
@return hostname as String | [
"Save",
"current",
"hostname",
"and",
"reuse",
"it",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java#L108-L118 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java | AnnotationManager.withExecutorInfo | 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 | 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;
} | [
"public",
"static",
"TestCaseStartedEvent",
"withExecutorInfo",
"(",
"TestCaseStartedEvent",
"event",
")",
"{",
"event",
".",
"getLabels",
"(",
")",
".",
"add",
"(",
"createHostLabel",
"(",
"getHostname",
"(",
")",
")",
")",
";",
"event",
".",
"getLabels",
"("... | Add information about host and thread to specified test case started event
@param event given event to update
@return updated event | [
"Add",
"information",
"about",
"host",
"and",
"thread",
"to",
"specified",
"test",
"case",
"started",
"event"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AnnotationManager.java#L193-L201 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportOpen.java | ReportOpen.openBrowser | 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 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.");
}
} | [
"private",
"void",
"openBrowser",
"(",
"URI",
"url",
")",
"throws",
"IOException",
"{",
"if",
"(",
"Desktop",
".",
"isDesktopSupported",
"(",
")",
")",
"{",
"Desktop",
".",
"getDesktop",
"(",
")",
".",
"browse",
"(",
"url",
")",
";",
"}",
"else",
"{",
... | Open the given url in default system browser. | [
"Open",
"the",
"given",
"url",
"in",
"default",
"system",
"browser",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportOpen.java#L53-L60 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportOpen.java | ReportOpen.setUpServer | 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 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;
} | [
"private",
"Server",
"setUpServer",
"(",
")",
"{",
"Server",
"server",
"=",
"new",
"Server",
"(",
"port",
")",
";",
"ResourceHandler",
"handler",
"=",
"new",
"ResourceHandler",
"(",
")",
";",
"handler",
".",
"setDirectoriesListed",
"(",
"true",
")",
";",
"... | Set up server for report directory. | [
"Set",
"up",
"server",
"for",
"report",
"directory",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportOpen.java#L65-L76 | train |
allure-framework/allure1 | allure-report-plugin-api/src/main/java/ru/yandex/qatools/allure/data/plugins/AbstractPlugin.java | AbstractPlugin.checkModifiers | private static boolean checkModifiers(Class<? extends AbstractPlugin> pluginClass) {
int modifiers = pluginClass.getModifiers();
return !Modifier.isAbstract(modifiers) &&
!Modifier.isInterface(modifiers) &&
!Modifier.isPrivate(modifiers);
} | java | private static boolean checkModifiers(Class<? extends AbstractPlugin> pluginClass) {
int modifiers = pluginClass.getModifiers();
return !Modifier.isAbstract(modifiers) &&
!Modifier.isInterface(modifiers) &&
!Modifier.isPrivate(modifiers);
} | [
"private",
"static",
"boolean",
"checkModifiers",
"(",
"Class",
"<",
"?",
"extends",
"AbstractPlugin",
">",
"pluginClass",
")",
"{",
"int",
"modifiers",
"=",
"pluginClass",
".",
"getModifiers",
"(",
")",
";",
"return",
"!",
"Modifier",
".",
"isAbstract",
"(",
... | Check given class modifiers. Plugin with resources plugin should not be private or abstract
or interface. | [
"Check",
"given",
"class",
"modifiers",
".",
"Plugin",
"with",
"resources",
"plugin",
"should",
"not",
"be",
"private",
"or",
"abstract",
"or",
"interface",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-plugin-api/src/main/java/ru/yandex/qatools/allure/data/plugins/AbstractPlugin.java#L110-L115 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/experimental/ListenersNotifier.java | ListenersNotifier.fire | @Override
public void fire(StepStartedEvent event) {
for (LifecycleListener listener : listeners) {
try {
listener.fire(event);
} catch (Exception e) {
logError(listener, e);
}
}
} | java | @Override
public void fire(StepStartedEvent event) {
for (LifecycleListener listener : listeners) {
try {
listener.fire(event);
} catch (Exception e) {
logError(listener, e);
}
}
} | [
"@",
"Override",
"public",
"void",
"fire",
"(",
"StepStartedEvent",
"event",
")",
"{",
"for",
"(",
"LifecycleListener",
"listener",
":",
"listeners",
")",
"{",
"try",
"{",
"listener",
".",
"fire",
"(",
"event",
")",
";",
"}",
"catch",
"(",
"Exception",
"... | Invoke to tell listeners that an step started event processed | [
"Invoke",
"to",
"tell",
"listeners",
"that",
"an",
"step",
"started",
"event",
"processed"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/experimental/ListenersNotifier.java#L106-L115 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/experimental/ListenersNotifier.java | ListenersNotifier.logError | private void logError(LifecycleListener listener, Exception e) {
LOGGER.error("Error for listener " + listener.getClass(), e);
} | java | private void logError(LifecycleListener listener, Exception e) {
LOGGER.error("Error for listener " + listener.getClass(), e);
} | [
"private",
"void",
"logError",
"(",
"LifecycleListener",
"listener",
",",
"Exception",
"e",
")",
"{",
"LOGGER",
".",
"error",
"(",
"\"Error for listener \"",
"+",
"listener",
".",
"getClass",
"(",
")",
",",
"e",
")",
";",
"}"
] | This method log given exception in specified listener | [
"This",
"method",
"log",
"given",
"exception",
"in",
"specified",
"listener"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/experimental/ListenersNotifier.java#L246-L248 | train |
allure-framework/allure1 | allure-java-aspects/src/main/java/ru/yandex/qatools/allure/aspects/AllureAspectUtils.java | AllureAspectUtils.cutEnd | public static String cutEnd(String data, int maxLength) {
if (data.length() > maxLength) {
return data.substring(0, maxLength) + "...";
} else {
return data;
}
} | java | public static String cutEnd(String data, int maxLength) {
if (data.length() > maxLength) {
return data.substring(0, maxLength) + "...";
} else {
return data;
}
} | [
"public",
"static",
"String",
"cutEnd",
"(",
"String",
"data",
",",
"int",
"maxLength",
")",
"{",
"if",
"(",
"data",
".",
"length",
"(",
")",
">",
"maxLength",
")",
"{",
"return",
"data",
".",
"substring",
"(",
"0",
",",
"maxLength",
")",
"+",
"\"...... | Cut all characters from maxLength and replace it with "..." | [
"Cut",
"all",
"characters",
"from",
"maxLength",
"and",
"replace",
"it",
"with",
"..."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-aspects/src/main/java/ru/yandex/qatools/allure/aspects/AllureAspectUtils.java#L90-L96 | train |
allure-framework/allure1 | allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/ServiceLoaderUtils.java | ServiceLoaderUtils.load | 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 | 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;
} | [
"public",
"static",
"<",
"T",
">",
"List",
"<",
"T",
">",
"load",
"(",
"ClassLoader",
"classLoader",
",",
"Class",
"<",
"T",
">",
"serviceType",
")",
"{",
"List",
"<",
"T",
">",
"foundServices",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";",
"Iterator... | Invoke to find all services for given service type using specified class loader
@param classLoader specified class loader
@param serviceType given service type
@return List of found services | [
"Invoke",
"to",
"find",
"all",
"services",
"for",
"given",
"service",
"type",
"using",
"specified",
"class",
"loader"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/ServiceLoaderUtils.java#L35-L50 | train |
allure-framework/allure1 | allure-bundle/src/main/java/ru/yandex/qatools/allure/AllureMain.java | AllureMain.unpackFace | 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 | 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);
}
}
}
} | [
"private",
"static",
"void",
"unpackFace",
"(",
"File",
"outputDirectory",
")",
"throws",
"IOException",
"{",
"ClassLoader",
"loader",
"=",
"AllureMain",
".",
"class",
".",
"getClassLoader",
"(",
")",
";",
"for",
"(",
"ClassPath",
".",
"ResourceInfo",
"info",
... | Unpack report face to given directory.
@param outputDirectory the output directory to unpack face.
@throws IOException if any occurs. | [
"Unpack",
"report",
"face",
"to",
"given",
"directory",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-bundle/src/main/java/ru/yandex/qatools/allure/AllureMain.java#L59-L74 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/AbstractCommand.java | AbstractCommand.createTempDirectory | protected Path createTempDirectory(String prefix) {
try {
return Files.createTempDirectory(tempDirectory, prefix);
} catch (IOException e) {
throw new AllureCommandException(e);
}
} | java | protected Path createTempDirectory(String prefix) {
try {
return Files.createTempDirectory(tempDirectory, prefix);
} catch (IOException e) {
throw new AllureCommandException(e);
}
} | [
"protected",
"Path",
"createTempDirectory",
"(",
"String",
"prefix",
")",
"{",
"try",
"{",
"return",
"Files",
".",
"createTempDirectory",
"(",
"tempDirectory",
",",
"prefix",
")",
";",
"}",
"catch",
"(",
"IOException",
"e",
")",
"{",
"throw",
"new",
"AllureC... | Creates an temporary directory. The created directory will be deleted when
command will ended. | [
"Creates",
"an",
"temporary",
"directory",
".",
"The",
"created",
"directory",
"will",
"be",
"deleted",
"when",
"command",
"will",
"ended",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/AbstractCommand.java#L65-L71 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/AbstractCommand.java | AbstractCommand.getLogLevel | private Level getLogLevel() {
return isQuiet() ? Level.OFF : isVerbose() ? Level.DEBUG : Level.INFO;
} | java | private Level getLogLevel() {
return isQuiet() ? Level.OFF : isVerbose() ? Level.DEBUG : Level.INFO;
} | [
"private",
"Level",
"getLogLevel",
"(",
")",
"{",
"return",
"isQuiet",
"(",
")",
"?",
"Level",
".",
"OFF",
":",
"isVerbose",
"(",
")",
"?",
"Level",
".",
"DEBUG",
":",
"Level",
".",
"INFO",
";",
"}"
] | Get log level depends on provided client parameters such as verbose and quiet. | [
"Get",
"log",
"level",
"depends",
"on",
"provided",
"client",
"parameters",
"such",
"as",
"verbose",
"and",
"quiet",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/AbstractCommand.java#L138-L140 | train |
allure-framework/allure1 | allure-model/src/main/java/ru/yandex/qatools/allure/config/AllureNamingUtils.java | AllureNamingUtils.isBadXmlCharacter | 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 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;
} | [
"public",
"static",
"boolean",
"isBadXmlCharacter",
"(",
"char",
"c",
")",
"{",
"boolean",
"cDataCharacter",
"=",
"c",
"<",
"'",
"'",
"&&",
"c",
"!=",
"'",
"'",
"&&",
"c",
"!=",
"'",
"'",
"&&",
"c",
"!=",
"'",
"'",
";",
"cDataCharacter",
"|=",
"(",... | Detect bad xml 1.0 characters
@param c to detect
@return true if specified character valid, false otherwise | [
"Detect",
"bad",
"xml",
"1",
".",
"0",
"characters"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-model/src/main/java/ru/yandex/qatools/allure/config/AllureNamingUtils.java#L49-L54 | train |
allure-framework/allure1 | allure-model/src/main/java/ru/yandex/qatools/allure/config/AllureNamingUtils.java | AllureNamingUtils.replaceBadXmlCharactersBySpace | 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 | 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';
}
}
} | [
"public",
"static",
"void",
"replaceBadXmlCharactersBySpace",
"(",
"char",
"[",
"]",
"cbuf",
",",
"int",
"off",
",",
"int",
"len",
")",
"{",
"for",
"(",
"int",
"i",
"=",
"off",
";",
"i",
"<",
"off",
"+",
"len",
";",
"i",
"++",
")",
"{",
"if",
"("... | Replace bad xml charactes in given array by space
@param cbuf buffer to replace in
@param off Offset from which to start reading characters
@param len Number of characters to be replaced | [
"Replace",
"bad",
"xml",
"charactes",
"in",
"given",
"array",
"by",
"space"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-model/src/main/java/ru/yandex/qatools/allure/config/AllureNamingUtils.java#L63-L69 | train |
allure-framework/allure1 | allure-commons/src/main/java/ru/yandex/qatools/allure/commons/BadXmlCharacterFilterReader.java | BadXmlCharacterFilterReader.read | @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
public int read(char[] cbuf, int off, int len) throws IOException {
int numChars = super.read(cbuf, off, len);
replaceBadXmlCharactersBySpace(cbuf, off, len);
return numChars;
} | [
"@",
"Override",
"public",
"int",
"read",
"(",
"char",
"[",
"]",
"cbuf",
",",
"int",
"off",
",",
"int",
"len",
")",
"throws",
"IOException",
"{",
"int",
"numChars",
"=",
"super",
".",
"read",
"(",
"cbuf",
",",
"off",
",",
"len",
")",
";",
"replaceB... | Reads characters into a portion of an array, then replace invalid XML characters
@throws IOException If an I/O error occurs
@see ru.yandex.qatools.allure.config.AllureNamingUtils#isBadXmlCharacter(char) by space | [
"Reads",
"characters",
"into",
"a",
"portion",
"of",
"an",
"array",
"then",
"replace",
"invalid",
"XML",
"characters"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commons/src/main/java/ru/yandex/qatools/allure/commons/BadXmlCharacterFilterReader.java#L31-L36 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportClean.java | ReportClean.runUnsafe | @Override
protected void runUnsafe() throws Exception {
Path reportDirectory = getReportDirectoryPath();
Files.walkFileTree(reportDirectory, new DeleteVisitor());
LOGGER.info("Report directory <{}> was successfully cleaned.", reportDirectory);
} | java | @Override
protected void runUnsafe() throws Exception {
Path reportDirectory = getReportDirectoryPath();
Files.walkFileTree(reportDirectory, new DeleteVisitor());
LOGGER.info("Report directory <{}> was successfully cleaned.", reportDirectory);
} | [
"@",
"Override",
"protected",
"void",
"runUnsafe",
"(",
")",
"throws",
"Exception",
"{",
"Path",
"reportDirectory",
"=",
"getReportDirectoryPath",
"(",
")",
";",
"Files",
".",
"walkFileTree",
"(",
"reportDirectory",
",",
"new",
"DeleteVisitor",
"(",
")",
")",
... | Remove the report directory. | [
"Remove",
"the",
"report",
"directory",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportClean.java#L22-L27 | train |
allure-framework/allure1 | allure-report-data/src/main/java/ru/yandex/qatools/allure/data/DummyReportGenerator.java | DummyReportGenerator.main | 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 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]));
} | [
"public",
"static",
"void",
"main",
"(",
"String",
"[",
"]",
"args",
")",
"{",
"if",
"(",
"args",
".",
"length",
"<",
"2",
")",
"{",
"// NOSONAR",
"LOGGER",
".",
"error",
"(",
"\"There must be at least two arguments\"",
")",
";",
"return",
";",
"}",
"int... | Generate Allure report data from directories with allure report results.
@param args a list of directory paths. First (args.length - 1) arguments -
results directories, last argument - the folder to generated data | [
"Generate",
"Allure",
"report",
"data",
"from",
"directories",
"with",
"allure",
"report",
"results",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-data/src/main/java/ru/yandex/qatools/allure/data/DummyReportGenerator.java#L28-L38 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java | AllureResultsUtils.setPropertySafely | 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 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);
}
} | [
"public",
"static",
"void",
"setPropertySafely",
"(",
"Marshaller",
"marshaller",
",",
"String",
"name",
",",
"Object",
"value",
")",
"{",
"try",
"{",
"marshaller",
".",
"setProperty",
"(",
"name",
",",
"value",
")",
";",
"}",
"catch",
"(",
"PropertyExceptio... | Try to set specified property to given marshaller
@param marshaller specified marshaller
@param name name of property to set
@param value value of property to set | [
"Try",
"to",
"set",
"specified",
"property",
"to",
"given",
"marshaller"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java#L194-L200 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java | AllureResultsUtils.writeAttachmentWithErrorMessage | 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 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();
} | [
"public",
"static",
"Attachment",
"writeAttachmentWithErrorMessage",
"(",
"Throwable",
"throwable",
",",
"String",
"title",
")",
"{",
"String",
"message",
"=",
"throwable",
".",
"getMessage",
"(",
")",
";",
"try",
"{",
"return",
"writeAttachment",
"(",
"message",
... | Write throwable as attachment.
@param throwable to write
@param title title of attachment
@return Created {@link ru.yandex.qatools.allure.model.Attachment} | [
"Write",
"throwable",
"as",
"attachment",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java#L243-L252 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java | AllureResultsUtils.getExtensionByMimeType | 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 | 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 "";
}
} | [
"public",
"static",
"String",
"getExtensionByMimeType",
"(",
"String",
"type",
")",
"{",
"MimeTypes",
"types",
"=",
"getDefaultMimeTypes",
"(",
")",
";",
"try",
"{",
"return",
"types",
".",
"forName",
"(",
"type",
")",
".",
"getExtension",
"(",
")",
";",
"... | Generate attachment extension from mime type
@param type valid mime-type
@return extension if it's known for specified mime-type, or empty string
otherwise | [
"Generate",
"attachment",
"extension",
"from",
"mime",
"type"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureResultsUtils.java#L311-L319 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/AddParameterEvent.java | AddParameterEvent.process | @Override
public void process(TestCaseResult context) {
context.getParameters().add(new Parameter()
.withName(getName())
.withValue(getValue())
.withKind(ParameterKind.valueOf(getKind()))
);
} | java | @Override
public void process(TestCaseResult context) {
context.getParameters().add(new Parameter()
.withName(getName())
.withValue(getValue())
.withKind(ParameterKind.valueOf(getKind()))
);
} | [
"@",
"Override",
"public",
"void",
"process",
"(",
"TestCaseResult",
"context",
")",
"{",
"context",
".",
"getParameters",
"(",
")",
".",
"add",
"(",
"new",
"Parameter",
"(",
")",
".",
"withName",
"(",
"getName",
"(",
")",
")",
".",
"withValue",
"(",
"... | Add parameter to testCase
@param context which can be changed | [
"Add",
"parameter",
"to",
"testCase"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/AddParameterEvent.java#L46-L53 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.validateResultsDirectories | 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 void validateResultsDirectories() {
for (String result : results) {
if (Files.notExists(Paths.get(result))) {
throw new AllureCommandException(String.format("Report directory <%s> not found.", result));
}
}
} | [
"protected",
"void",
"validateResultsDirectories",
"(",
")",
"{",
"for",
"(",
"String",
"result",
":",
"results",
")",
"{",
"if",
"(",
"Files",
".",
"notExists",
"(",
"Paths",
".",
"get",
"(",
"result",
")",
")",
")",
"{",
"throw",
"new",
"AllureCommandE... | Throws an exception if at least one results directory is missing. | [
"Throws",
"an",
"exception",
"if",
"at",
"least",
"one",
"results",
"directory",
"is",
"missing",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L56-L62 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.getClasspath | 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 getClasspath() throws IOException {
List<String> classpath = new ArrayList<>();
classpath.add(getBundleJarPath());
classpath.addAll(getPluginsPath());
return StringUtils.toString(classpath.toArray(new String[classpath.size()]), " ");
} | [
"protected",
"String",
"getClasspath",
"(",
")",
"throws",
"IOException",
"{",
"List",
"<",
"String",
">",
"classpath",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";",
"classpath",
".",
"add",
"(",
"getBundleJarPath",
"(",
")",
")",
";",
"classpath",
".",
... | Returns the classpath for executable jar. | [
"Returns",
"the",
"classpath",
"for",
"executable",
"jar",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L80-L85 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.getExecutableJar | 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 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();
} | [
"protected",
"String",
"getExecutableJar",
"(",
")",
"throws",
"IOException",
"{",
"Manifest",
"manifest",
"=",
"new",
"Manifest",
"(",
")",
";",
"manifest",
".",
"getMainAttributes",
"(",
")",
".",
"put",
"(",
"Attributes",
".",
"Name",
".",
"MANIFEST_VERSION... | Create an executable jar to generate the report. Created jar contains only
allure configuration file. | [
"Create",
"an",
"executable",
"jar",
"to",
"generate",
"the",
"report",
".",
"Created",
"jar",
"contains",
"only",
"allure",
"configuration",
"file",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L91-L109 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.getBundleJarPath | 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 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();
} | [
"protected",
"String",
"getBundleJarPath",
"(",
")",
"throws",
"MalformedURLException",
"{",
"Path",
"path",
"=",
"PROPERTIES",
".",
"getAllureHome",
"(",
")",
".",
"resolve",
"(",
"\"app/allure-bundle.jar\"",
")",
".",
"toAbsolutePath",
"(",
")",
";",
"if",
"("... | Returns the bundle jar classpath element. | [
"Returns",
"the",
"bundle",
"jar",
"classpath",
"element",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L114-L120 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.getPluginsPath | 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 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;
} | [
"protected",
"List",
"<",
"String",
">",
"getPluginsPath",
"(",
")",
"throws",
"IOException",
"{",
"List",
"<",
"String",
">",
"result",
"=",
"new",
"ArrayList",
"<>",
"(",
")",
";",
"Path",
"pluginsDirectory",
"=",
"PROPERTIES",
".",
"getAllureHome",
"(",
... | Returns the plugins classpath elements. | [
"Returns",
"the",
"plugins",
"classpath",
"elements",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L125-L138 | train |
allure-framework/allure1 | allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java | ReportGenerate.getJavaExecutablePath | protected String getJavaExecutablePath() {
String executableName = isWindows() ? "bin/java.exe" : "bin/java";
return PROPERTIES.getJavaHome().resolve(executableName).toAbsolutePath().toString();
} | java | protected String getJavaExecutablePath() {
String executableName = isWindows() ? "bin/java.exe" : "bin/java";
return PROPERTIES.getJavaHome().resolve(executableName).toAbsolutePath().toString();
} | [
"protected",
"String",
"getJavaExecutablePath",
"(",
")",
"{",
"String",
"executableName",
"=",
"isWindows",
"(",
")",
"?",
"\"bin/java.exe\"",
":",
"\"bin/java\"",
";",
"return",
"PROPERTIES",
".",
"getJavaHome",
"(",
")",
".",
"resolve",
"(",
"executableName",
... | Returns the path to java executable. | [
"Returns",
"the",
"path",
"to",
"java",
"executable",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-commandline/src/main/java/ru/yandex/qatools/allure/command/ReportGenerate.java#L158-L161 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureShutdownHook.java | AllureShutdownHook.run | @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 | @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()));
}
} | [
"@",
"Override",
"public",
"void",
"run",
"(",
")",
"{",
"for",
"(",
"Map",
".",
"Entry",
"<",
"String",
",",
"TestSuiteResult",
">",
"entry",
":",
"testSuites",
")",
"{",
"for",
"(",
"TestCaseResult",
"testCase",
":",
"entry",
".",
"getValue",
"(",
")... | Mark unfinished test cases as interrupted for each unfinished test suite, then write
test suite result
@see #createFakeTestcaseWithWarning(ru.yandex.qatools.allure.model.TestSuiteResult)
@see #markTestcaseAsInterruptedIfNotFinishedYet(ru.yandex.qatools.allure.model.TestCaseResult) | [
"Mark",
"unfinished",
"test",
"cases",
"as",
"interrupted",
"for",
"each",
"unfinished",
"test",
"suite",
"then",
"write",
"test",
"suite",
"result"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/utils/AllureShutdownHook.java#L36-L46 | train |
allure-framework/allure1 | allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java | AllureReportUtils.checkDirectory | 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 void checkDirectory(File directory) {
if (!(directory.exists() || directory.mkdirs())) {
throw new ReportGenerationException(
String.format("Can't create data directory <%s>", directory.getAbsolutePath())
);
}
} | [
"public",
"static",
"void",
"checkDirectory",
"(",
"File",
"directory",
")",
"{",
"if",
"(",
"!",
"(",
"directory",
".",
"exists",
"(",
")",
"||",
"directory",
".",
"mkdirs",
"(",
")",
")",
")",
"{",
"throw",
"new",
"ReportGenerationException",
"(",
"Str... | If directory doesn't exists try to create it.
@param directory given directory to check
@throws ReportGenerationException if can't create specified directory | [
"If",
"directory",
"doesn",
"t",
"exists",
"try",
"to",
"create",
"it",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java#L50-L56 | train |
allure-framework/allure1 | allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java | AllureReportUtils.serialize | 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(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);
}
} | [
"public",
"static",
"int",
"serialize",
"(",
"final",
"File",
"directory",
",",
"String",
"name",
",",
"Object",
"obj",
")",
"{",
"try",
"(",
"FileOutputStream",
"stream",
"=",
"new",
"FileOutputStream",
"(",
"new",
"File",
"(",
"directory",
",",
"name",
"... | Serialize specified object to directory with specified name.
@param directory write to
@param name serialize object with specified name
@param obj object to serialize
@return number of bytes written to directory | [
"Serialize",
"specified",
"object",
"to",
"directory",
"with",
"specified",
"name",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java#L66-L72 | train |
allure-framework/allure1 | allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java | AllureReportUtils.serialize | 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 | 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);
}
} | [
"public",
"static",
"int",
"serialize",
"(",
"OutputStream",
"stream",
",",
"Object",
"obj",
")",
"{",
"ObjectMapper",
"mapper",
"=",
"createMapperWithJaxbAnnotationInspector",
"(",
")",
";",
"try",
"(",
"DataOutputStream",
"data",
"=",
"new",
"DataOutputStream",
... | Serialize specified object to directory with specified name. Given output stream will be closed.
@param obj object to serialize
@return number of bytes written to directory | [
"Serialize",
"specified",
"object",
"to",
"directory",
"with",
"specified",
"name",
".",
"Given",
"output",
"stream",
"will",
"be",
"closed",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-report-data/src/main/java/ru/yandex/qatools/allure/data/utils/AllureReportUtils.java#L80-L90 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/StepStartedEvent.java | StepStartedEvent.process | @Override
public void process(Step step) {
step.setName(getName());
step.setStatus(Status.PASSED);
step.setStart(System.currentTimeMillis());
step.setTitle(getTitle());
} | java | @Override
public void process(Step step) {
step.setName(getName());
step.setStatus(Status.PASSED);
step.setStart(System.currentTimeMillis());
step.setTitle(getTitle());
} | [
"@",
"Override",
"public",
"void",
"process",
"(",
"Step",
"step",
")",
"{",
"step",
".",
"setName",
"(",
"getName",
"(",
")",
")",
";",
"step",
".",
"setStatus",
"(",
"Status",
".",
"PASSED",
")",
";",
"step",
".",
"setStart",
"(",
"System",
".",
... | Sets name, status, start time and title to specified step
@param step which will be changed | [
"Sets",
"name",
"status",
"start",
"time",
"and",
"title",
"to",
"specified",
"step"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/StepStartedEvent.java#L31-L37 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/storages/StepStorage.java | StepStorage.childValue | @Override
protected Deque<Step> childValue(Deque<Step> parentValue) {
Deque<Step> queue = new LinkedList<>();
queue.add(parentValue.getFirst());
return queue;
} | java | @Override
protected Deque<Step> childValue(Deque<Step> parentValue) {
Deque<Step> queue = new LinkedList<>();
queue.add(parentValue.getFirst());
return queue;
} | [
"@",
"Override",
"protected",
"Deque",
"<",
"Step",
">",
"childValue",
"(",
"Deque",
"<",
"Step",
">",
"parentValue",
")",
"{",
"Deque",
"<",
"Step",
">",
"queue",
"=",
"new",
"LinkedList",
"<>",
"(",
")",
";",
"queue",
".",
"add",
"(",
"parentValue",
... | In case parent thread spawn thread we need create a new queue
for child thread but use the only one root step. In the end all steps will be
children of root step, all we need is sync adding steps
@param parentValue value from parent thread
@return local copy of queue in this thread with parent root as first element | [
"In",
"case",
"parent",
"thread",
"spawn",
"thread",
"we",
"need",
"create",
"a",
"new",
"queue",
"for",
"child",
"thread",
"but",
"use",
"the",
"only",
"one",
"root",
"step",
".",
"In",
"the",
"end",
"all",
"steps",
"will",
"be",
"children",
"of",
"ro... | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/storages/StepStorage.java#L50-L55 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/storages/StepStorage.java | StepStorage.createRootStep | 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 | 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);
} | [
"public",
"Step",
"createRootStep",
"(",
")",
"{",
"return",
"new",
"Step",
"(",
")",
".",
"withName",
"(",
"\"Root step\"",
")",
".",
"withTitle",
"(",
"\"Allure step processing error: if you see this step something went wrong.\"",
")",
".",
"withStart",
"(",
"System... | Construct new root step. Used for inspect problems with Allure lifecycle
@return new root step marked as broken | [
"Construct",
"new",
"root",
"step",
".",
"Used",
"for",
"inspect",
"problems",
"with",
"Allure",
"lifecycle"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/storages/StepStorage.java#L114-L120 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/RemoveAttachmentsEvent.java | RemoveAttachmentsEvent.process | @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 | @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);
}
} | [
"@",
"Override",
"public",
"void",
"process",
"(",
"Step",
"context",
")",
"{",
"Iterator",
"<",
"Attachment",
">",
"iterator",
"=",
"context",
".",
"getAttachments",
"(",
")",
".",
"listIterator",
"(",
")",
";",
"while",
"(",
"iterator",
".",
"hasNext",
... | Remove attachments matches pattern from step and all step substeps
@param context from which attachments will be removed | [
"Remove",
"attachments",
"matches",
"pattern",
"from",
"step",
"and",
"all",
"step",
"substeps"
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/events/RemoveAttachmentsEvent.java#L33-L47 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | public void fire(StepStartedEvent event) {
Step step = new Step();
event.process(step);
stepStorage.put(step);
notifier.fire(event);
} | java | public void fire(StepStartedEvent event) {
Step step = new Step();
event.process(step);
stepStorage.put(step);
notifier.fire(event);
} | [
"public",
"void",
"fire",
"(",
"StepStartedEvent",
"event",
")",
"{",
"Step",
"step",
"=",
"new",
"Step",
"(",
")",
";",
"event",
".",
"process",
"(",
"step",
")",
";",
"stepStorage",
".",
"put",
"(",
"step",
")",
";",
"notifier",
".",
"fire",
"(",
... | Process StepStartedEvent. New step will be created and added to
stepStorage.
@param event to process | [
"Process",
"StepStartedEvent",
".",
"New",
"step",
"will",
"be",
"created",
"and",
"added",
"to",
"stepStorage",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L64-L70 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | public void fire(StepEvent event) {
Step step = stepStorage.getLast();
event.process(step);
notifier.fire(event);
} | java | public void fire(StepEvent event) {
Step step = stepStorage.getLast();
event.process(step);
notifier.fire(event);
} | [
"public",
"void",
"fire",
"(",
"StepEvent",
"event",
")",
"{",
"Step",
"step",
"=",
"stepStorage",
".",
"getLast",
"(",
")",
";",
"event",
".",
"process",
"(",
"step",
")",
";",
"notifier",
".",
"fire",
"(",
"event",
")",
";",
"}"
] | Process any StepEvent. You can change last added to stepStorage
step using this method.
@param event to process | [
"Process",
"any",
"StepEvent",
".",
"You",
"can",
"change",
"last",
"added",
"to",
"stepStorage",
"step",
"using",
"this",
"method",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L78-L83 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | public void fire(StepFinishedEvent event) {
Step step = stepStorage.adopt();
event.process(step);
notifier.fire(event);
} | java | public void fire(StepFinishedEvent event) {
Step step = stepStorage.adopt();
event.process(step);
notifier.fire(event);
} | [
"public",
"void",
"fire",
"(",
"StepFinishedEvent",
"event",
")",
"{",
"Step",
"step",
"=",
"stepStorage",
".",
"adopt",
"(",
")",
";",
"event",
".",
"process",
"(",
"step",
")",
";",
"notifier",
".",
"fire",
"(",
"event",
")",
";",
"}"
] | Process StepFinishedEvent. Change last added to stepStorage step
and add it as child of previous step.
@param event to process | [
"Process",
"StepFinishedEvent",
".",
"Change",
"last",
"added",
"to",
"stepStorage",
"step",
"and",
"add",
"it",
"as",
"child",
"of",
"previous",
"step",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L91-L96 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | 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(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);
} | [
"public",
"void",
"fire",
"(",
"TestCaseStartedEvent",
"event",
")",
"{",
"//init root step in parent thread if needed",
"stepStorage",
".",
"get",
"(",
")",
";",
"TestCaseResult",
"testCase",
"=",
"testCaseStorage",
".",
"get",
"(",
")",
";",
"event",
".",
"proce... | Process TestCaseStartedEvent. New testCase will be created and added
to suite as child.
@param event to process | [
"Process",
"TestCaseStartedEvent",
".",
"New",
"testCase",
"will",
"be",
"created",
"and",
"added",
"to",
"suite",
"as",
"child",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L104-L116 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | public void fire(TestCaseEvent event) {
TestCaseResult testCase = testCaseStorage.get();
event.process(testCase);
notifier.fire(event);
} | java | public void fire(TestCaseEvent event) {
TestCaseResult testCase = testCaseStorage.get();
event.process(testCase);
notifier.fire(event);
} | [
"public",
"void",
"fire",
"(",
"TestCaseEvent",
"event",
")",
"{",
"TestCaseResult",
"testCase",
"=",
"testCaseStorage",
".",
"get",
"(",
")",
";",
"event",
".",
"process",
"(",
"testCase",
")",
";",
"notifier",
".",
"fire",
"(",
"event",
")",
";",
"}"
] | Process TestCaseEvent. You can change current testCase context
using this method.
@param event to process | [
"Process",
"TestCaseEvent",
".",
"You",
"can",
"change",
"current",
"testCase",
"context",
"using",
"this",
"method",
"."
] | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L124-L129 | train |
allure-framework/allure1 | allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java | Allure.fire | 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 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);
} | [
"public",
"void",
"fire",
"(",
"TestCaseFinishedEvent",
"event",
")",
"{",
"TestCaseResult",
"testCase",
"=",
"testCaseStorage",
".",
"get",
"(",
")",
";",
"event",
".",
"process",
"(",
"testCase",
")",
";",
"Step",
"root",
"=",
"stepStorage",
".",
"pollLast... | Process TestCaseFinishedEvent. Add steps and attachments from
top step from stepStorage to current testCase, then remove testCase
and step from stores. Also remove attachments matches removeAttachments
config.
@param event to process | [
"Process",
"TestCaseFinishedEvent",
".",
"Add",
"steps",
"and",
"attachments",
"from",
"top",
"step",
"from",
"stepStorage",
"to",
"current",
"testCase",
"then",
"remove",
"testCase",
"and",
"step",
"from",
"stores",
".",
"Also",
"remove",
"attachments",
"matches"... | 9a816fa05d8b894a917b7ebb7fd1a4056dee4693 | https://github.com/allure-framework/allure1/blob/9a816fa05d8b894a917b7ebb7fd1a4056dee4693/allure-java-adaptor-api/src/main/java/ru/yandex/qatools/allure/Allure.java#L139-L156 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcStringUtils.java | PcStringUtils.strMapToStr | 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 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();
} | [
"public",
"static",
"String",
"strMapToStr",
"(",
"Map",
"<",
"String",
",",
"String",
">",
"map",
")",
"{",
"StringBuilder",
"sb",
"=",
"new",
"StringBuilder",
"(",
")",
";",
"if",
"(",
"map",
"==",
"null",
"||",
"map",
".",
"isEmpty",
"(",
")",
")"... | Str map to str.
@param map
the map
@return the string | [
"Str",
"map",
"to",
"str",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcStringUtils.java#L54-L67 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcStringUtils.java | PcStringUtils.getAggregatedResultHuman | 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 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();
} | [
"public",
"static",
"String",
"getAggregatedResultHuman",
"(",
"Map",
"<",
"String",
",",
"LinkedHashSet",
"<",
"String",
">",
">",
"aggregateResultMap",
")",
"{",
"StringBuilder",
"res",
"=",
"new",
"StringBuilder",
"(",
")",
";",
"for",
"(",
"Entry",
"<",
... | Get the aggregated result human readable string for easy display.
@param aggregateResultMap the aggregate result map
@return the aggregated result human | [
"Get",
"the",
"aggregated",
"result",
"human",
"readable",
"string",
"for",
"easy",
"display",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcStringUtils.java#L76-L92 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcStringUtils.java | PcStringUtils.renderJson | public static String renderJson(Object o) {
Gson gson = new GsonBuilder().disableHtmlEscaping().setPrettyPrinting()
.create();
return gson.toJson(o);
} | java | public static String renderJson(Object o) {
Gson gson = new GsonBuilder().disableHtmlEscaping().setPrettyPrinting()
.create();
return gson.toJson(o);
} | [
"public",
"static",
"String",
"renderJson",
"(",
"Object",
"o",
")",
"{",
"Gson",
"gson",
"=",
"new",
"GsonBuilder",
"(",
")",
".",
"disableHtmlEscaping",
"(",
")",
".",
"setPrettyPrinting",
"(",
")",
".",
"create",
"(",
")",
";",
"return",
"gson",
".",
... | Render json.
@param o
the o
@return the string | [
"Render",
"json",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcStringUtils.java#L101-L106 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/AssistantExecutionManager.java | AssistantExecutionManager.sendMessageUntilStopCount | 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 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
} | [
"public",
"void",
"sendMessageUntilStopCount",
"(",
"int",
"stopCount",
")",
"{",
"// always send with valid data.",
"for",
"(",
"int",
"i",
"=",
"processedWorkerCount",
";",
"i",
"<",
"workers",
".",
"size",
"(",
")",
";",
"++",
"i",
")",
"{",
"ActorRef",
"... | Note that if there is sleep in this method.
@param stopCount
the stop count | [
"Note",
"that",
"if",
"there",
"is",
"sleep",
"in",
"this",
"method",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/AssistantExecutionManager.java#L90-L121 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/AssistantExecutionManager.java | AssistantExecutionManager.waitAndRetry | 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 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;
} | [
"public",
"void",
"waitAndRetry",
"(",
")",
"{",
"ContinueToSendToBatchSenderAsstManager",
"continueToSendToBatchSenderAsstManager",
"=",
"new",
"ContinueToSendToBatchSenderAsstManager",
"(",
"processedWorkerCount",
")",
";",
"logger",
".",
"debug",
"(",
"\"NOW WAIT Another \""... | Wait and retry. | [
"Wait",
"and",
"retry",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/AssistantExecutionManager.java#L126-L141 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java | HttpPollerProcessor.getUuidFromResponse | 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 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;
} | [
"public",
"String",
"getUuidFromResponse",
"(",
"ResponseOnSingeRequest",
"myResponse",
")",
"{",
"String",
"uuid",
"=",
"PcConstants",
".",
"NA",
";",
"String",
"responseBody",
"=",
"myResponse",
".",
"getResponseBody",
"(",
")",
";",
"Pattern",
"regex",
"=",
"... | Gets the uuid from response.
@param myResponse
the my response
@return the uuid from response | [
"Gets",
"the",
"uuid",
"from",
"response",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java#L186-L197 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java | HttpPollerProcessor.getProgressFromResponse | 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 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;
} | [
"public",
"double",
"getProgressFromResponse",
"(",
"ResponseOnSingeRequest",
"myResponse",
")",
"{",
"double",
"progress",
"=",
"0.0",
";",
"try",
"{",
"if",
"(",
"myResponse",
"==",
"null",
"||",
"myResponse",
".",
"isFailObtainResponse",
"(",
")",
")",
"{",
... | Gets the progress from response.
@param myResponse
the my response
@return the progress from response | [
"Gets",
"the",
"progress",
"from",
"response",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java#L206-L229 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java | HttpPollerProcessor.ifTaskCompletedSuccessOrFailureFromResponse | 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 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;
} | [
"public",
"boolean",
"ifTaskCompletedSuccessOrFailureFromResponse",
"(",
"ResponseOnSingeRequest",
"myResponse",
")",
"{",
"boolean",
"isCompleted",
"=",
"false",
";",
"try",
"{",
"if",
"(",
"myResponse",
"==",
"null",
"||",
"myResponse",
".",
"isFailObtainResponse",
... | If task completed success or failure from response.
@param myResponse
the my response
@return true, if successful | [
"If",
"task",
"completed",
"success",
"or",
"failure",
"from",
"response",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/poll/HttpPollerProcessor.java#L250-L271 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/HttpWorker.java | HttpWorker.createRequest | 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 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;
} | [
"public",
"BoundRequestBuilder",
"createRequest",
"(",
")",
"throws",
"HttpRequestCreateException",
"{",
"BoundRequestBuilder",
"builder",
"=",
"null",
";",
"getLogger",
"(",
")",
".",
"debug",
"(",
"\"AHC completeUrl \"",
"+",
"requestUrl",
")",
";",
"try",
"{",
... | Creates the request.
@return the bound request builder
@throws HttpRequestCreateException
the http request create exception | [
"Creates",
"the",
"request",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/HttpWorker.java#L148-L200 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/HttpWorker.java | HttpWorker.onComplete | 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 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;
} | [
"public",
"ResponseOnSingeRequest",
"onComplete",
"(",
"Response",
"response",
")",
"{",
"cancelCancellable",
"(",
")",
";",
"try",
"{",
"Map",
"<",
"String",
",",
"List",
"<",
"String",
">",
">",
"responseHeaders",
"=",
"null",
";",
"if",
"(",
"responseHead... | On complete.
Save response headers when needed.
@param response
the response
@return the response on single request | [
"On",
"complete",
".",
"Save",
"response",
"headers",
"when",
"needed",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/HttpWorker.java#L374-L414 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/HttpWorker.java | HttpWorker.onThrowable | public void onThrowable(Throwable cause) {
this.cause = cause;
getSelf().tell(RequestWorkerMsgType.PROCESS_ON_EXCEPTION, getSelf());
} | java | public void onThrowable(Throwable cause) {
this.cause = cause;
getSelf().tell(RequestWorkerMsgType.PROCESS_ON_EXCEPTION, getSelf());
} | [
"public",
"void",
"onThrowable",
"(",
"Throwable",
"cause",
")",
"{",
"this",
".",
"cause",
"=",
"cause",
";",
"getSelf",
"(",
")",
".",
"tell",
"(",
"RequestWorkerMsgType",
".",
"PROCESS_ON_EXCEPTION",
",",
"getSelf",
"(",
")",
")",
";",
"}"
] | On throwable.
@param cause
the cause | [
"On",
"throwable",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/HttpWorker.java#L422-L426 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcTargetHostsUtils.java | PcTargetHostsUtils.getNodeListFromStringLineSeperateOrSpaceSeperate | 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 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;
} | [
"public",
"static",
"List",
"<",
"String",
">",
"getNodeListFromStringLineSeperateOrSpaceSeperate",
"(",
"String",
"listStr",
",",
"boolean",
"removeDuplicate",
")",
"{",
"List",
"<",
"String",
">",
"nodes",
"=",
"new",
"ArrayList",
"<",
"String",
">",
"(",
")",... | Gets the node list from string line seperate or space seperate.
@param listStr
the list str
@param removeDuplicate
the remove duplicate
@return the node list from string line seperate or space seperate | [
"Gets",
"the",
"node",
"list",
"from",
"string",
"line",
"seperate",
"or",
"space",
"seperate",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcTargetHostsUtils.java#L44-L65 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcTargetHostsUtils.java | PcTargetHostsUtils.removeDuplicateNodeList | 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 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();
} | [
"public",
"static",
"int",
"removeDuplicateNodeList",
"(",
"List",
"<",
"String",
">",
"list",
")",
"{",
"int",
"originCount",
"=",
"list",
".",
"size",
"(",
")",
";",
"// add elements to all, including duplicates",
"HashSet",
"<",
"String",
">",
"hs",
"=",
"n... | Removes the duplicate node list.
@param list
the list
@return the int | [
"Removes",
"the",
"duplicate",
"node",
"list",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcTargetHostsUtils.java#L74-L84 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setResponseContext | 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 ParallelTaskBuilder setResponseContext(
Map<String, Object> responseContext) {
if (responseContext != null)
this.responseContext = responseContext;
else
logger.error("context cannot be null. skip set.");
return this;
} | [
"public",
"ParallelTaskBuilder",
"setResponseContext",
"(",
"Map",
"<",
"String",
",",
"Object",
">",
"responseContext",
")",
"{",
"if",
"(",
"responseContext",
"!=",
"null",
")",
"this",
".",
"responseContext",
"=",
"responseContext",
";",
"else",
"logger",
"."... | Sets the response context.
@param responseContext
the response context
@return the parallel task builder | [
"Sets",
"the",
"response",
"context",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L146-L153 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.execute | 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 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;
} | [
"public",
"ParallelTask",
"execute",
"(",
"ParallecResponseHandler",
"handler",
")",
"{",
"ParallelTask",
"task",
"=",
"new",
"ParallelTask",
"(",
")",
";",
"try",
"{",
"targetHostMeta",
"=",
"new",
"TargetHostMeta",
"(",
"targetHosts",
")",
";",
"final",
"Paral... | key function. first validate if the ACM has adequate data; then execute
it after the validation. the new ParallelTask task guareetee to have the
targethost meta and command meta not null
@param handler
the handler
@return the parallel task | [
"key",
"function",
".",
"first",
"validate",
"if",
"the",
"ACM",
"has",
"adequate",
"data",
";",
"then",
"execute",
"it",
"after",
"the",
"validation",
".",
"the",
"new",
"ParallelTask",
"task",
"guareetee",
"to",
"have",
"the",
"targethost",
"meta",
"and",
... | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L224-L310 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.validation | 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 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;
} | [
"public",
"boolean",
"validation",
"(",
")",
"throws",
"ParallelTaskInvalidException",
"{",
"ParallelTask",
"task",
"=",
"new",
"ParallelTask",
"(",
")",
";",
"targetHostMeta",
"=",
"new",
"TargetHostMeta",
"(",
"targetHosts",
")",
";",
"task",
"=",
"new",
"Para... | add some validation to see if this miss anything.
@return true, if successful
@throws ParallelTaskInvalidException
the parallel task invalid exception | [
"add",
"some",
"validation",
"to",
"see",
"if",
"this",
"miss",
"anything",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L320-L339 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setTargetHostsFromJsonPath | public ParallelTaskBuilder setTargetHostsFromJsonPath(String jsonPath,
String sourcePath, HostsSourceType sourceType)
throws TargetHostsLoadException {
this.targetHosts = targetHostBuilder.setTargetHostsFromJsonPath(jsonPath, sourcePath,
sourceType);
return this;
} | java | public ParallelTaskBuilder setTargetHostsFromJsonPath(String jsonPath,
String sourcePath, HostsSourceType sourceType)
throws TargetHostsLoadException {
this.targetHosts = targetHostBuilder.setTargetHostsFromJsonPath(jsonPath, sourcePath,
sourceType);
return this;
} | [
"public",
"ParallelTaskBuilder",
"setTargetHostsFromJsonPath",
"(",
"String",
"jsonPath",
",",
"String",
"sourcePath",
",",
"HostsSourceType",
"sourceType",
")",
"throws",
"TargetHostsLoadException",
"{",
"this",
".",
"targetHosts",
"=",
"targetHostBuilder",
".",
"setTarg... | Sets the target hosts from json path.
@param jsonPath
the json path
@param sourcePath
the source path
@param sourceType
the source type
@return the parallel task builder
@throws TargetHostsLoadException
the target hosts load exception | [
"Sets",
"the",
"target",
"hosts",
"from",
"json",
"path",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L517-L525 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setTargetHostsFromLineByLineText | public ParallelTaskBuilder setTargetHostsFromLineByLineText(
String sourcePath, HostsSourceType sourceType)
throws TargetHostsLoadException {
this.targetHosts = targetHostBuilder.setTargetHostsFromLineByLineText(sourcePath,
sourceType);
return this;
} | java | public ParallelTaskBuilder setTargetHostsFromLineByLineText(
String sourcePath, HostsSourceType sourceType)
throws TargetHostsLoadException {
this.targetHosts = targetHostBuilder.setTargetHostsFromLineByLineText(sourcePath,
sourceType);
return this;
} | [
"public",
"ParallelTaskBuilder",
"setTargetHostsFromLineByLineText",
"(",
"String",
"sourcePath",
",",
"HostsSourceType",
"sourceType",
")",
"throws",
"TargetHostsLoadException",
"{",
"this",
".",
"targetHosts",
"=",
"targetHostBuilder",
".",
"setTargetHostsFromLineByLineText",... | Sets the target hosts from line by line text.
@param sourcePath
the source path
@param sourceType
the source type
@return the parallel task builder
@throws TargetHostsLoadException
the target hosts load exception | [
"Sets",
"the",
"target",
"hosts",
"from",
"line",
"by",
"line",
"text",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L539-L546 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setReplacementVarMapNodeSpecific | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setReplacementVarMapNodeSpecific",
"(",
"Map",
"<",
"String",
",",
"StrStrMap",
">",
"replacementVarMapNodeSpecific",
")",
"{",
"this",
".",
"replacementVarMapNodeSpecific",
".",
"clear",
"(",
")",
";",
"this",
".",
"replacementVarMapNo... | Sets the replacement var map node specific.
@param replacementVarMapNodeSpecific
the replacement var map node specific
@return the parallel task builder | [
"Sets",
"the",
"replacement",
"var",
"map",
"node",
"specific",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L686-L696 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setReplaceVarMapToSingleTargetFromMap | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setReplaceVarMapToSingleTargetFromMap",
"(",
"Map",
"<",
"String",
",",
"StrStrMap",
">",
"replacementVarMapNodeSpecific",
",",
"String",
"uniformTargetHost",
")",
"{",
"setReplacementVarMapNodeSpecific",
"(",
"replacementVarMapNodeSpecific",
"... | Sets the replace var map to single target from map.
@param replacementVarMapNodeSpecific
the replacement var map node specific
@param uniformTargetHost
the uniform target host
@return the parallel task builder | [
"Sets",
"the",
"replace",
"var",
"map",
"to",
"single",
"target",
"from",
"map",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L708-L726 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setReplaceVarMapToSingleTargetSingleVar | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setReplaceVarMapToSingleTargetSingleVar",
"(",
"String",
"variable",
",",
"List",
"<",
"String",
">",
"replaceList",
",",
"String",
"uniformTargetHost",
")",
"{",
"if",
"(",
"Strings",
".",
"isNullOrEmpty",
"(",
"uniformTargetHost",
"... | Sets the replace var map to single target single var.
@param variable
the variable
@param replaceList
: the list of strings that will replace the variable
@param uniformTargetHost
the uniform target host
@return the parallel task builder | [
"Sets",
"the",
"replace",
"var",
"map",
"to",
"single",
"target",
"single",
"var",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L739-L772 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setReplaceVarMapToSingleTarget | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setReplaceVarMapToSingleTarget",
"(",
"List",
"<",
"StrStrMap",
">",
"replacementVarMapList",
",",
"String",
"uniformTargetHost",
")",
"{",
"if",
"(",
"Strings",
".",
"isNullOrEmpty",
"(",
"uniformTargetHost",
")",
")",
"{",
"logger",... | Sets the replace var map to single target.
@param replacementVarMapList
the replacement var map list
@param uniformTargetHost
the uniform target host
@return the parallel task builder | [
"Sets",
"the",
"replace",
"var",
"map",
"to",
"single",
"target",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L783-L810 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setReplacementVarMap | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setReplacementVarMap",
"(",
"Map",
"<",
"String",
",",
"String",
">",
"replacementVarMap",
")",
"{",
"this",
".",
"replacementVarMap",
"=",
"replacementVarMap",
";",
"// TODO Check and warning of overwriting",
"// set as uniform",
"this",
... | Sets the replacement var map.
@param replacementVarMap
the replacement var map
@return the parallel task builder | [
"Sets",
"the",
"replacement",
"var",
"map",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L829-L837 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setHttpPollerProcessor | public ParallelTaskBuilder setHttpPollerProcessor(
HttpPollerProcessor httpPollerProcessor) {
this.httpMeta.setHttpPollerProcessor(httpPollerProcessor);
this.httpMeta.setPollable(true);
return this;
} | java | public ParallelTaskBuilder setHttpPollerProcessor(
HttpPollerProcessor httpPollerProcessor) {
this.httpMeta.setHttpPollerProcessor(httpPollerProcessor);
this.httpMeta.setPollable(true);
return this;
} | [
"public",
"ParallelTaskBuilder",
"setHttpPollerProcessor",
"(",
"HttpPollerProcessor",
"httpPollerProcessor",
")",
"{",
"this",
".",
"httpMeta",
".",
"setHttpPollerProcessor",
"(",
"httpPollerProcessor",
")",
";",
"this",
".",
"httpMeta",
".",
"setPollable",
"(",
"true"... | Sets the HTTP poller processor to handle Async API.
Will auto enable the pollable mode with this call
@param httpPollerProcessor
the http poller processor
@return the parallel task builder | [
"Sets",
"the",
"HTTP",
"poller",
"processor",
"to",
"handle",
"Async",
"API",
".",
"Will",
"auto",
"enable",
"the",
"pollable",
"mode",
"with",
"this",
"call"
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L900-L905 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setSshPassword | public ParallelTaskBuilder setSshPassword(String password) {
this.sshMeta.setPassword(password);
this.sshMeta.setSshLoginType(SshLoginType.PASSWORD);
return this;
} | java | public ParallelTaskBuilder setSshPassword(String password) {
this.sshMeta.setPassword(password);
this.sshMeta.setSshLoginType(SshLoginType.PASSWORD);
return this;
} | [
"public",
"ParallelTaskBuilder",
"setSshPassword",
"(",
"String",
"password",
")",
"{",
"this",
".",
"sshMeta",
".",
"setPassword",
"(",
"password",
")",
";",
"this",
".",
"sshMeta",
".",
"setSshLoginType",
"(",
"SshLoginType",
".",
"PASSWORD",
")",
";",
"retu... | Sets the ssh password.
@param password
the password
@return the parallel task builder | [
"Sets",
"the",
"ssh",
"password",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L976-L980 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setSshPrivKeyRelativePath | public ParallelTaskBuilder setSshPrivKeyRelativePath(
String privKeyRelativePath) {
this.sshMeta.setPrivKeyRelativePath(privKeyRelativePath);
this.sshMeta.setSshLoginType(SshLoginType.KEY);
return this;
} | java | public ParallelTaskBuilder setSshPrivKeyRelativePath(
String privKeyRelativePath) {
this.sshMeta.setPrivKeyRelativePath(privKeyRelativePath);
this.sshMeta.setSshLoginType(SshLoginType.KEY);
return this;
} | [
"public",
"ParallelTaskBuilder",
"setSshPrivKeyRelativePath",
"(",
"String",
"privKeyRelativePath",
")",
"{",
"this",
".",
"sshMeta",
".",
"setPrivKeyRelativePath",
"(",
"privKeyRelativePath",
")",
";",
"this",
".",
"sshMeta",
".",
"setSshLoginType",
"(",
"SshLoginType"... | Sets the ssh priv key relative path.
Note that must be relative path for now.
This default to no need of passphrase for the private key.
Will also auto set the login type to key based.
@param privKeyRelativePath
the priv key relative path
@return the parallel task builder | [
"Sets",
"the",
"ssh",
"priv",
"key",
"relative",
"path",
".",
"Note",
"that",
"must",
"be",
"relative",
"path",
"for",
"now",
".",
"This",
"default",
"to",
"no",
"need",
"of",
"passphrase",
"for",
"the",
"private",
"key",
".",
"Will",
"also",
"auto",
"... | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L1005-L1010 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTaskBuilder.java | ParallelTaskBuilder.setSshPrivKeyRelativePathWtihPassphrase | 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 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;
} | [
"public",
"ParallelTaskBuilder",
"setSshPrivKeyRelativePathWtihPassphrase",
"(",
"String",
"privKeyRelativePath",
",",
"String",
"passphrase",
")",
"{",
"this",
".",
"sshMeta",
".",
"setPrivKeyRelativePath",
"(",
"privKeyRelativePath",
")",
";",
"this",
".",
"sshMeta",
... | Sets the ssh priv key relative path wtih passphrase.
@param privKeyRelativePath the priv key relative path
@param passphrase the passphrase
@return the parallel task builder | [
"Sets",
"the",
"ssh",
"priv",
"key",
"relative",
"path",
"wtih",
"passphrase",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTaskBuilder.java#L1020-L1027 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcDateUtils.java | PcDateUtils.getDateTimeStr | 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 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);
} | [
"public",
"static",
"String",
"getDateTimeStr",
"(",
"Date",
"d",
")",
"{",
"if",
"(",
"d",
"==",
"null",
")",
"return",
"\"\"",
";",
"SimpleDateFormat",
"sdf",
"=",
"new",
"SimpleDateFormat",
"(",
"\"yyyy-MM-dd HH:mm:ss.SSSZ\"",
")",
";",
"// 20140315 test will... | Gets the date time str.
@param d
the d
@return the date time str | [
"Gets",
"the",
"date",
"time",
"str",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcDateUtils.java#L37-L44 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcDateUtils.java | PcDateUtils.getDateTimeStrStandard | 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 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);
} | [
"public",
"static",
"String",
"getDateTimeStrStandard",
"(",
"Date",
"d",
")",
"{",
"if",
"(",
"d",
"==",
"null",
")",
"return",
"\"\"",
";",
"if",
"(",
"d",
".",
"getTime",
"(",
")",
"==",
"0L",
")",
"return",
"\"Never\"",
";",
"SimpleDateFormat",
"sd... | Gets the date time str standard.
@param d
the d
@return the date time str standard | [
"Gets",
"the",
"date",
"time",
"str",
"standard",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcDateUtils.java#L53-L63 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcDateUtils.java | PcDateUtils.getDateTimeStrConcise | public static String getDateTimeStrConcise(Date d) {
if (d == null)
return "";
SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMddHHmmssSSSZ");
return sdf.format(d);
} | java | public static String getDateTimeStrConcise(Date d) {
if (d == null)
return "";
SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMddHHmmssSSSZ");
return sdf.format(d);
} | [
"public",
"static",
"String",
"getDateTimeStrConcise",
"(",
"Date",
"d",
")",
"{",
"if",
"(",
"d",
"==",
"null",
")",
"return",
"\"\"",
";",
"SimpleDateFormat",
"sdf",
"=",
"new",
"SimpleDateFormat",
"(",
"\"yyyyMMddHHmmssSSSZ\"",
")",
";",
"return",
"sdf",
... | Gets the date time str concise.
@param d
the d
@return the date time str concise | [
"Gets",
"the",
"date",
"time",
"str",
"concise",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcDateUtils.java#L72-L78 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcDateUtils.java | PcDateUtils.getDateFromConciseStr | 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 | 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;
} | [
"public",
"static",
"Date",
"getDateFromConciseStr",
"(",
"String",
"str",
")",
"{",
"Date",
"d",
"=",
"null",
";",
"if",
"(",
"str",
"==",
"null",
"||",
"str",
".",
"isEmpty",
"(",
")",
")",
"return",
"null",
";",
"try",
"{",
"SimpleDateFormat",
"sdf"... | 20130512 Converts the sdsm string generated above to Date format.
@param str
the str
@return the date from concise str | [
"20130512",
"Converts",
"the",
"sdsm",
"string",
"generated",
"above",
"to",
"Date",
"format",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcDateUtils.java#L102-L118 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/OperationWorker.java | OperationWorker.handleHttpWorkerResponse | 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 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());
} | [
"private",
"final",
"void",
"handleHttpWorkerResponse",
"(",
"ResponseOnSingeRequest",
"respOnSingleReq",
")",
"throws",
"Exception",
"{",
"// Successful response from GenericAsyncHttpWorker",
"// Jeff 20310411: use generic response",
"String",
"responseContent",
"=",
"respOnSingleRe... | Handle http worker response.
@param respOnSingleReq
the my response
@throws Exception
the exception | [
"Handle",
"http",
"worker",
"response",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/OperationWorker.java#L220-L336 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/OperationWorker.java | OperationWorker.processMainRequest | 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 | 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();
} | [
"private",
"final",
"void",
"processMainRequest",
"(",
")",
"{",
"sender",
"=",
"getSender",
"(",
")",
";",
"startTimeMillis",
"=",
"System",
".",
"currentTimeMillis",
"(",
")",
";",
"timeoutDuration",
"=",
"Duration",
".",
"create",
"(",
"request",
".",
"ge... | the 1st request from the manager. | [
"the",
"1st",
"request",
"from",
"the",
"manager",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/OperationWorker.java#L341-L393 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/OperationWorker.java | OperationWorker.operationTimeout | @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 | @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);
}
} | [
"@",
"SuppressWarnings",
"(",
"\"deprecation\"",
")",
"private",
"final",
"void",
"operationTimeout",
"(",
")",
"{",
"/**\n * first kill async http worker; before suicide LESSON: MUST KILL AND\n * WAIT FOR CHILDREN to reply back before kill itself.\n */",
"cancelCan... | will trigger workers to cancel then wait for it to report back. | [
"will",
"trigger",
"workers",
"to",
"cancel",
"then",
"wait",
"for",
"it",
"to",
"report",
"back",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/OperationWorker.java#L422-L443 | train |
eBay/parallec | src/main/java/io/parallec/core/actor/OperationWorker.java | OperationWorker.replyErrors | 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 | 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);
} | [
"private",
"final",
"void",
"replyErrors",
"(",
"final",
"String",
"errorMessage",
",",
"final",
"String",
"stackTrace",
",",
"final",
"String",
"statusCode",
",",
"final",
"int",
"statusCodeInt",
")",
"{",
"reply",
"(",
"true",
",",
"errorMessage",
",",
"stac... | Reply used in error cases. set the response header as null.
@param errorMessage the error message
@param stackTrace the stack trace
@param statusCode the status code
@param statusCodeInt the status code int | [
"Reply",
"used",
"in",
"error",
"cases",
".",
"set",
"the",
"response",
"header",
"as",
"null",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/actor/OperationWorker.java#L494-L500 | train |
eBay/parallec | src/main/java/io/parallec/core/util/PcHttpUtils.java | PcHttpUtils.addHeaders | 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 | 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);
}
} | [
"public",
"static",
"void",
"addHeaders",
"(",
"BoundRequestBuilder",
"builder",
",",
"Map",
"<",
"String",
",",
"String",
">",
"headerMap",
")",
"{",
"for",
"(",
"Entry",
"<",
"String",
",",
"String",
">",
"entry",
":",
"headerMap",
".",
"entrySet",
"(",
... | Adds the headers.
@param builder
the builder
@param headerMap
the header map | [
"Adds",
"the",
"headers",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/util/PcHttpUtils.java#L104-L112 | train |
eBay/parallec | src/main/java/io/parallec/core/ParallelTask.java | ParallelTask.cancelOnTargetHosts | @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 | @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;
} | [
"@",
"SuppressWarnings",
"(",
"\"deprecation\"",
")",
"public",
"boolean",
"cancelOnTargetHosts",
"(",
"List",
"<",
"String",
">",
"targetHosts",
")",
"{",
"boolean",
"success",
"=",
"false",
";",
"try",
"{",
"switch",
"(",
"state",
")",
"{",
"case",
"IN_PRO... | Cancel on target hosts.
@param targetHosts
the target hosts
@return true, if successful | [
"Cancel",
"on",
"target",
"hosts",
"."
] | 1b4f1628f34fedfb06b24c33a5372d64d3df0952 | https://github.com/eBay/parallec/blob/1b4f1628f34fedfb06b24c33a5372d64d3df0952/src/main/java/io/parallec/core/ParallelTask.java#L275-L315 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.