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 |
|---|---|---|---|---|---|---|---|---|---|---|---|
berkesa/datatree | src/main/java/io/datatree/Tree.java | Tree.putObject | public Tree putObject(String path, Object value) {
return putObjectInternal(path, getNodeValue(value), false);
} | java | public Tree putObject(String path, Object value) {
return putObjectInternal(path, getNodeValue(value), false);
} | [
"public",
"Tree",
"putObject",
"(",
"String",
"path",
",",
"Object",
"value",
")",
"{",
"return",
"putObjectInternal",
"(",
"path",
",",
"getNodeValue",
"(",
"value",
")",
",",
"false",
")",
";",
"}"
] | Puts a node with the specified value into the specified path.
@param path
path (e.g. "path.to.node[0]")
@param value
the new value
@return container node | [
"Puts",
"a",
"node",
"with",
"the",
"specified",
"value",
"into",
"the",
"specified",
"path",
"."
] | 79aea9b45c7b46ab28af0a09310bc01c421c6b3a | https://github.com/berkesa/datatree/blob/79aea9b45c7b46ab28af0a09310bc01c421c6b3a/src/main/java/io/datatree/Tree.java#L2140-L2142 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.readInstance | public static Instance readInstance(File f) {
try (Reader in = makeIn(f)) {
return readInstance(in);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | java | public static Instance readInstance(File f) {
try (Reader in = makeIn(f)) {
return readInstance(in);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"Instance",
"readInstance",
"(",
"File",
"f",
")",
"{",
"try",
"(",
"Reader",
"in",
"=",
"makeIn",
"(",
"f",
")",
")",
"{",
"return",
"readInstance",
"(",
"in",
")",
";",
"}",
"catch",
"(",
"IOException",
"e",
")",
"{",
"throw",
... | Read an instance from a file.
A file ending with '.gz' is uncompressed first
@param f the file to parse
@return the resulting instance
@throws IllegalArgumentException if an error occurred while reading the file | [
"Read",
"an",
"instance",
"from",
"a",
"file",
".",
"A",
"file",
"ending",
"with",
".",
"gz",
"is",
"uncompressed",
"first"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L64-L70 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.readInstance | public static Instance readInstance(Reader r) {
try {
InstanceConverter c = new InstanceConverter();
return c.fromJSON(r);
} catch (JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | java | public static Instance readInstance(Reader r) {
try {
InstanceConverter c = new InstanceConverter();
return c.fromJSON(r);
} catch (JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"Instance",
"readInstance",
"(",
"Reader",
"r",
")",
"{",
"try",
"{",
"InstanceConverter",
"c",
"=",
"new",
"InstanceConverter",
"(",
")",
";",
"return",
"c",
".",
"fromJSON",
"(",
"r",
")",
";",
"}",
"catch",
"(",
"JSONConverterExcepti... | Read an instance.
@param r the stream to read
@return the resulting instance
@throws IllegalArgumentException if an error occurred while reading the json | [
"Read",
"an",
"instance",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L79-L86 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.write | public static void write(Instance instance, File f) {
try (OutputStreamWriter out = makeOut(f)) {
write(instance, out);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | java | public static void write(Instance instance, File f) {
try (OutputStreamWriter out = makeOut(f)) {
write(instance, out);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"void",
"write",
"(",
"Instance",
"instance",
",",
"File",
"f",
")",
"{",
"try",
"(",
"OutputStreamWriter",
"out",
"=",
"makeOut",
"(",
"f",
")",
")",
"{",
"write",
"(",
"instance",
",",
"out",
")",
";",
"}",
"catch",
"(",
"IOExce... | Write an instance.
@param instance the instance to write
@param f the output file. If it ends with '.gz' it will be gzipped
@throws IllegalArgumentException if an error occurred while writing the json | [
"Write",
"an",
"instance",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L95-L101 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.write | public static void write(Instance instance, Appendable a) {
try {
InstanceConverter c = new InstanceConverter();
c.toJSON(instance).writeJSONString(a);
} catch (IOException | JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | java | public static void write(Instance instance, Appendable a) {
try {
InstanceConverter c = new InstanceConverter();
c.toJSON(instance).writeJSONString(a);
} catch (IOException | JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"void",
"write",
"(",
"Instance",
"instance",
",",
"Appendable",
"a",
")",
"{",
"try",
"{",
"InstanceConverter",
"c",
"=",
"new",
"InstanceConverter",
"(",
")",
";",
"c",
".",
"toJSON",
"(",
"instance",
")",
".",
"writeJSONString",
"(",... | Write an instance
@param instance the instance to write
@param a the stream to write on.
@throws IllegalArgumentException if an error occurred while writing the json | [
"Write",
"an",
"instance"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L110-L117 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.readReconfigurationPlan | public static ReconfigurationPlan readReconfigurationPlan(File f) {
try (Reader in = makeIn(f)) {
return readReconfigurationPlan(in);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | java | public static ReconfigurationPlan readReconfigurationPlan(File f) {
try (Reader in = makeIn(f)) {
return readReconfigurationPlan(in);
} catch (IOException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"ReconfigurationPlan",
"readReconfigurationPlan",
"(",
"File",
"f",
")",
"{",
"try",
"(",
"Reader",
"in",
"=",
"makeIn",
"(",
"f",
")",
")",
"{",
"return",
"readReconfigurationPlan",
"(",
"in",
")",
";",
"}",
"catch",
"(",
"IOException",
... | Read a reconfiguration plan from a file.
A file ending with '.gz' is uncompressed first
@param f the file to parse
@return the resulting plan
@throws IllegalArgumentException if an error occurred while reading the file | [
"Read",
"a",
"reconfiguration",
"plan",
"from",
"a",
"file",
".",
"A",
"file",
"ending",
"with",
".",
"gz",
"is",
"uncompressed",
"first"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L143-L149 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/JSON.java | JSON.readReconfigurationPlan | public static ReconfigurationPlan readReconfigurationPlan(Reader r) {
try {
ReconfigurationPlanConverter c = new ReconfigurationPlanConverter();
return c.fromJSON(r);
} catch (JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | java | public static ReconfigurationPlan readReconfigurationPlan(Reader r) {
try {
ReconfigurationPlanConverter c = new ReconfigurationPlanConverter();
return c.fromJSON(r);
} catch (JSONConverterException e) {
throw new IllegalArgumentException(e);
}
} | [
"public",
"static",
"ReconfigurationPlan",
"readReconfigurationPlan",
"(",
"Reader",
"r",
")",
"{",
"try",
"{",
"ReconfigurationPlanConverter",
"c",
"=",
"new",
"ReconfigurationPlanConverter",
"(",
")",
";",
"return",
"c",
".",
"fromJSON",
"(",
"r",
")",
";",
"}... | Read a plan.
@param r the stream to read
@return the resulting reconfiguration plan
@throws IllegalArgumentException if an error occurred while reading the json | [
"Read",
"a",
"plan",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/JSON.java#L158-L165 | train |
btrplace/scheduler | api/src/main/java/org/btrplace/model/constraint/SplitAmong.java | SplitAmong.getAssociatedPGroup | public Collection<Node> getAssociatedPGroup(Node u) {
for (Collection<Node> pGrp : pGroups) {
if (pGrp.contains(u)) {
return pGrp;
}
}
return Collections.emptySet();
} | java | public Collection<Node> getAssociatedPGroup(Node u) {
for (Collection<Node> pGrp : pGroups) {
if (pGrp.contains(u)) {
return pGrp;
}
}
return Collections.emptySet();
} | [
"public",
"Collection",
"<",
"Node",
">",
"getAssociatedPGroup",
"(",
"Node",
"u",
")",
"{",
"for",
"(",
"Collection",
"<",
"Node",
">",
"pGrp",
":",
"pGroups",
")",
"{",
"if",
"(",
"pGrp",
".",
"contains",
"(",
"u",
")",
")",
"{",
"return",
"pGrp",
... | Get the group of nodes associated to a given node.
@param u the node
@return the associated group of nodes if exists. An empty set otherwise | [
"Get",
"the",
"group",
"of",
"nodes",
"associated",
"to",
"a",
"given",
"node",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/api/src/main/java/org/btrplace/model/constraint/SplitAmong.java#L126-L133 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/deps/DepUtils.java | DepUtils.removeRedundantPaths | static public Collection<URI> removeRedundantPaths(Collection<URI> uris) {
List<URI> result = new ArrayList<URI>();
for (URI uri : uris) {
String path = uri.getPath();
if (!path.endsWith("/")) { //$NON-NLS-1$
path += "/"; //$NON-NLS-1$
}
boolean addIt = true;
for (int i = 0; i < result.size(); i++) {
URI testUri = result.get(i);
if (!StringUtils.equals(testUri.getScheme(), uri.getScheme()) ||
!StringUtils.equals(testUri.getHost(), uri.getHost()) ||
testUri.getPort() != uri.getPort()) {
continue;
}
String test = testUri.getPath();
if (!test.endsWith("/")) { //$NON-NLS-1$
test += "/"; //$NON-NLS-1$
}
if (path.equals(test) || path.startsWith(test)) {
addIt = false;
break;
} else if (test.startsWith(path)) {
result.remove(i);
}
}
if (addIt)
result.add(uri);
}
// Now copy the trimmed list back to the original
return result;
} | java | static public Collection<URI> removeRedundantPaths(Collection<URI> uris) {
List<URI> result = new ArrayList<URI>();
for (URI uri : uris) {
String path = uri.getPath();
if (!path.endsWith("/")) { //$NON-NLS-1$
path += "/"; //$NON-NLS-1$
}
boolean addIt = true;
for (int i = 0; i < result.size(); i++) {
URI testUri = result.get(i);
if (!StringUtils.equals(testUri.getScheme(), uri.getScheme()) ||
!StringUtils.equals(testUri.getHost(), uri.getHost()) ||
testUri.getPort() != uri.getPort()) {
continue;
}
String test = testUri.getPath();
if (!test.endsWith("/")) { //$NON-NLS-1$
test += "/"; //$NON-NLS-1$
}
if (path.equals(test) || path.startsWith(test)) {
addIt = false;
break;
} else if (test.startsWith(path)) {
result.remove(i);
}
}
if (addIt)
result.add(uri);
}
// Now copy the trimmed list back to the original
return result;
} | [
"static",
"public",
"Collection",
"<",
"URI",
">",
"removeRedundantPaths",
"(",
"Collection",
"<",
"URI",
">",
"uris",
")",
"{",
"List",
"<",
"URI",
">",
"result",
"=",
"new",
"ArrayList",
"<",
"URI",
">",
"(",
")",
";",
"for",
"(",
"URI",
"uri",
":"... | Removes URIs containing duplicate and non-orthogonal paths so that the
collection contains only unique and non-overlapping paths.
@param uris collection of URIs
@return a new collection with redundant paths removed | [
"Removes",
"URIs",
"containing",
"duplicate",
"and",
"non",
"-",
"orthogonal",
"paths",
"so",
"that",
"the",
"collection",
"contains",
"only",
"unique",
"and",
"non",
"-",
"overlapping",
"paths",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/deps/DepUtils.java#L86-L117 | train |
m-m-m/util | gwt/src/main/resources/net/sf/mmm/util/gwt/supersource/net/sf/mmm/util/lang/api/ComparatorHelper.java | ComparatorHelper.convert | static Object convert(Object object, Class<?> otherType) {
if (otherType == BigDecimal.class) {
if (object instanceof BigInteger) {
return new BigDecimal((BigInteger) object);
} else if (object instanceof Number) {
return BigDecimal.valueOf(((Number) object).doubleValue());
}
} else if (otherType == BigInteger.class) {
if (!(object instanceof BigDecimal) && (object instanceof Number)) {
return BigInteger.valueOf(((Number) object).longValue());
}
}
return object;
} | java | static Object convert(Object object, Class<?> otherType) {
if (otherType == BigDecimal.class) {
if (object instanceof BigInteger) {
return new BigDecimal((BigInteger) object);
} else if (object instanceof Number) {
return BigDecimal.valueOf(((Number) object).doubleValue());
}
} else if (otherType == BigInteger.class) {
if (!(object instanceof BigDecimal) && (object instanceof Number)) {
return BigInteger.valueOf(((Number) object).longValue());
}
}
return object;
} | [
"static",
"Object",
"convert",
"(",
"Object",
"object",
",",
"Class",
"<",
"?",
">",
"otherType",
")",
"{",
"if",
"(",
"otherType",
"==",
"BigDecimal",
".",
"class",
")",
"{",
"if",
"(",
"object",
"instanceof",
"BigInteger",
")",
"{",
"return",
"new",
... | This method converts the given value to a more common type.
@param object is the value to convert.
@param otherType the type of the value to compare that differs from the type
@return a simpler representation of {@code value} or the same {@code value} if on simpler type
is known. | [
"This",
"method",
"converts",
"the",
"given",
"value",
"to",
"a",
"more",
"common",
"type",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/gwt/src/main/resources/net/sf/mmm/util/gwt/supersource/net/sf/mmm/util/lang/api/ComparatorHelper.java#L25-L39 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java | CacheEntry.getInputStream | public InputStream getInputStream(HttpServletRequest request, MutableObject<byte[]> sourceMapResult) throws IOException {
// Check bytes before filename when reading and reverse order when setting.
// The following local variables intentionally hide the instance variables.
byte[] bytes = this.bytes;
byte[] sourceMap = this.sourceMap;
String filename = this.filename;
InputStream result = null;
if (bytes != null) {
// Cache data is already in memory. Don't need to de-serialize it.
result = new ByteArrayInputStream(bytes);
if (sourceMapResult != null && sourceMapSize > 0) {
sourceMapResult.setValue(sourceMap);
}
} else if (filename != null){
// De-serialize data from cache
ICacheManager cmgr = ((IAggregator)request.getAttribute(IAggregator.AGGREGATOR_REQATTRNAME)).getCacheManager();
File file = new File(cmgr.getCacheDir(), filename);
if (sourceMapSize == 0) {
// No source map data in cache entry so just stream the file.
result = new FileInputStream(file);
} else {
// Entry contains source map data so that means it's a serialized CacheData
// instance. De-serialize the object and extract the data.
CacheData data;
ObjectInputStream is = new ObjectInputStream(
new FileInputStream(file));
try {
data = (CacheData)is.readObject();
} catch (ClassNotFoundException e) {
throw new IOException(e.getMessage(), e);
} finally {
IOUtils.closeQuietly(is);
}
bytes = data.bytes;
sourceMap = data.sourceMap;
if (sourceMapResult != null) {
sourceMapResult.setValue(sourceMap);
}
result = new ByteArrayInputStream(bytes);
}
} else {
throw new IOException();
}
return result;
} | java | public InputStream getInputStream(HttpServletRequest request, MutableObject<byte[]> sourceMapResult) throws IOException {
// Check bytes before filename when reading and reverse order when setting.
// The following local variables intentionally hide the instance variables.
byte[] bytes = this.bytes;
byte[] sourceMap = this.sourceMap;
String filename = this.filename;
InputStream result = null;
if (bytes != null) {
// Cache data is already in memory. Don't need to de-serialize it.
result = new ByteArrayInputStream(bytes);
if (sourceMapResult != null && sourceMapSize > 0) {
sourceMapResult.setValue(sourceMap);
}
} else if (filename != null){
// De-serialize data from cache
ICacheManager cmgr = ((IAggregator)request.getAttribute(IAggregator.AGGREGATOR_REQATTRNAME)).getCacheManager();
File file = new File(cmgr.getCacheDir(), filename);
if (sourceMapSize == 0) {
// No source map data in cache entry so just stream the file.
result = new FileInputStream(file);
} else {
// Entry contains source map data so that means it's a serialized CacheData
// instance. De-serialize the object and extract the data.
CacheData data;
ObjectInputStream is = new ObjectInputStream(
new FileInputStream(file));
try {
data = (CacheData)is.readObject();
} catch (ClassNotFoundException e) {
throw new IOException(e.getMessage(), e);
} finally {
IOUtils.closeQuietly(is);
}
bytes = data.bytes;
sourceMap = data.sourceMap;
if (sourceMapResult != null) {
sourceMapResult.setValue(sourceMap);
}
result = new ByteArrayInputStream(bytes);
}
} else {
throw new IOException();
}
return result;
} | [
"public",
"InputStream",
"getInputStream",
"(",
"HttpServletRequest",
"request",
",",
"MutableObject",
"<",
"byte",
"[",
"]",
">",
"sourceMapResult",
")",
"throws",
"IOException",
"{",
"// Check bytes before filename when reading and reverse order when setting.\r",
"// The foll... | Return an input stream to the layer. Has side effect of setting the
appropriate Content-Type, Content-Length and Content-Encoding headers
in the response.
@param request
the request object
@param sourceMapResult
(Output) mutable object reference to the source map. May be null
if source maps are not being requested.
@return The InputStream for the built layer
@throws IOException | [
"Return",
"an",
"input",
"stream",
"to",
"the",
"layer",
".",
"Has",
"side",
"effect",
"of",
"setting",
"the",
"appropriate",
"Content",
"-",
"Type",
"Content",
"-",
"Length",
"and",
"Content",
"-",
"Encoding",
"headers",
"in",
"the",
"response",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java#L92-L137 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java | CacheEntry.tryGetInputStream | public InputStream tryGetInputStream(HttpServletRequest request, MutableObject<byte[]> sourceMapResult) throws IOException {
InputStream result = null;
// Check bytes before filename when reading and reverse order when setting
if (bytes != null || filename != null) {
try {
result = getInputStream(request, sourceMapResult);
} catch (Exception e) {
if (LayerImpl.log.isLoggable(Level.SEVERE)) {
LayerImpl.log.log(Level.SEVERE, e.getMessage(), e);
}
// just return null
}
}
return result;
} | java | public InputStream tryGetInputStream(HttpServletRequest request, MutableObject<byte[]> sourceMapResult) throws IOException {
InputStream result = null;
// Check bytes before filename when reading and reverse order when setting
if (bytes != null || filename != null) {
try {
result = getInputStream(request, sourceMapResult);
} catch (Exception e) {
if (LayerImpl.log.isLoggable(Level.SEVERE)) {
LayerImpl.log.log(Level.SEVERE, e.getMessage(), e);
}
// just return null
}
}
return result;
} | [
"public",
"InputStream",
"tryGetInputStream",
"(",
"HttpServletRequest",
"request",
",",
"MutableObject",
"<",
"byte",
"[",
"]",
">",
"sourceMapResult",
")",
"throws",
"IOException",
"{",
"InputStream",
"result",
"=",
"null",
";",
"// Check bytes before filename when re... | Can fail by returning null, but won't throw an exception.
@param request
the request object
@param sourceMapResult
(Output) mutable object reference to the source map. May be null
if source maps are not being requested.
@return The LayerInputStream, or null if data is not available
@throws IOException | [
"Can",
"fail",
"by",
"returning",
"null",
"but",
"won",
"t",
"throw",
"an",
"exception",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java#L150-L164 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java | CacheEntry.setData | public void setData(byte[] bytes, byte[] sourceMap) {
this.sourceMap = sourceMap;
sourceMapSize = sourceMap != null ? sourceMap.length : 0;
setBytes(bytes);
} | java | public void setData(byte[] bytes, byte[] sourceMap) {
this.sourceMap = sourceMap;
sourceMapSize = sourceMap != null ? sourceMap.length : 0;
setBytes(bytes);
} | [
"public",
"void",
"setData",
"(",
"byte",
"[",
"]",
"bytes",
",",
"byte",
"[",
"]",
"sourceMap",
")",
"{",
"this",
".",
"sourceMap",
"=",
"sourceMap",
";",
"sourceMapSize",
"=",
"sourceMap",
"!=",
"null",
"?",
"sourceMap",
".",
"length",
":",
"0",
";",... | Sets the contents of the cache entry with source map info.
@param bytes The layer content
@param sourceMap The source map for the layer | [
"Sets",
"the",
"contents",
"of",
"the",
"cache",
"entry",
"with",
"source",
"map",
"info",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java#L182-L186 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java | CacheEntry.delete | public synchronized void delete(final ICacheManager mgr) {
delete = true;
if (filename != null) {
mgr.deleteFileDelayed(filename);
}
} | java | public synchronized void delete(final ICacheManager mgr) {
delete = true;
if (filename != null) {
mgr.deleteFileDelayed(filename);
}
} | [
"public",
"synchronized",
"void",
"delete",
"(",
"final",
"ICacheManager",
"mgr",
")",
"{",
"delete",
"=",
"true",
";",
"if",
"(",
"filename",
"!=",
"null",
")",
"{",
"mgr",
".",
"deleteFileDelayed",
"(",
"filename",
")",
";",
"}",
"}"
] | Delete the cached build after the specified delay in minues
@param mgr
The cache manager. May be null if persist hasn't yet been
called, in which case, persist will have no effect when it
is called. | [
"Delete",
"the",
"cached",
"build",
"after",
"the",
"specified",
"delay",
"in",
"minues"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java#L196-L201 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java | CacheEntry.persist | public void persist(final ICacheManager mgr) throws IOException {
if (delete) return;
if (sourceMapSize == 0) {
// No source map. Just stream the file
mgr.createCacheFileAsync("layer.", //$NON-NLS-1$
new ByteArrayInputStream(bytes),
new CreateCompletionCallback(mgr));
} else {
// cache entry contains source map info. Create a CacheData instance
// and serialize object.
Object data = new CacheData(bytes, sourceMap);
mgr.externalizeCacheObjectAsync("layer.", //$NON-NLS-1$
data,
new CreateCompletionCallback(mgr));
}
} | java | public void persist(final ICacheManager mgr) throws IOException {
if (delete) return;
if (sourceMapSize == 0) {
// No source map. Just stream the file
mgr.createCacheFileAsync("layer.", //$NON-NLS-1$
new ByteArrayInputStream(bytes),
new CreateCompletionCallback(mgr));
} else {
// cache entry contains source map info. Create a CacheData instance
// and serialize object.
Object data = new CacheData(bytes, sourceMap);
mgr.externalizeCacheObjectAsync("layer.", //$NON-NLS-1$
data,
new CreateCompletionCallback(mgr));
}
} | [
"public",
"void",
"persist",
"(",
"final",
"ICacheManager",
"mgr",
")",
"throws",
"IOException",
"{",
"if",
"(",
"delete",
")",
"return",
";",
"if",
"(",
"sourceMapSize",
"==",
"0",
")",
"{",
"// No source map. Just stream the file\r",
"mgr",
".",
"createCacheF... | Asynchronously write the layer build content to disk and set filename to the
name of the cache files when done.
@param mgr The cache manager
@throws IOException | [
"Asynchronously",
"write",
"the",
"layer",
"build",
"content",
"to",
"disk",
"and",
"set",
"filename",
"to",
"the",
"name",
"of",
"the",
"cache",
"files",
"when",
"done",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/layer/CacheEntry.java#L232-L247 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java | ConstraintsConverter.register | public void register(ConstraintConverter<? extends Constraint> c) {
java2json.put(c.getSupportedConstraint(), c);
json2java.put(c.getJSONId(), c);
} | java | public void register(ConstraintConverter<? extends Constraint> c) {
java2json.put(c.getSupportedConstraint(), c);
json2java.put(c.getJSONId(), c);
} | [
"public",
"void",
"register",
"(",
"ConstraintConverter",
"<",
"?",
"extends",
"Constraint",
">",
"c",
")",
"{",
"java2json",
".",
"put",
"(",
"c",
".",
"getSupportedConstraint",
"(",
")",
",",
"c",
")",
";",
"json2java",
".",
"put",
"(",
"c",
".",
"ge... | Register a converter for a specific constraint.
@param c the converter to register | [
"Register",
"a",
"converter",
"for",
"a",
"specific",
"constraint",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java#L108-L112 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java | ConstraintsConverter.fromJSON | public Constraint fromJSON(Model mo, JSONObject in) throws JSONConverterException {
checkKeys(in, "id");
Object id = in.get("id");
ConstraintConverter<? extends Constraint> c = json2java.get(id.toString());
if (c == null) {
throw new JSONConverterException("No converter available for a constraint having id '" + id + "'");
}
return c.fromJSON(mo, in);
} | java | public Constraint fromJSON(Model mo, JSONObject in) throws JSONConverterException {
checkKeys(in, "id");
Object id = in.get("id");
ConstraintConverter<? extends Constraint> c = json2java.get(id.toString());
if (c == null) {
throw new JSONConverterException("No converter available for a constraint having id '" + id + "'");
}
return c.fromJSON(mo, in);
} | [
"public",
"Constraint",
"fromJSON",
"(",
"Model",
"mo",
",",
"JSONObject",
"in",
")",
"throws",
"JSONConverterException",
"{",
"checkKeys",
"(",
"in",
",",
"\"id\"",
")",
";",
"Object",
"id",
"=",
"in",
".",
"get",
"(",
"\"id\"",
")",
";",
"ConstraintConve... | Convert a json-encoded constraint.
@param mo the model to rely on
@param in the constraint to decode
@return the resulting constraint
@throws JSONConverterException if the conversion failed | [
"Convert",
"a",
"json",
"-",
"encoded",
"constraint",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java#L140-L148 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java | ConstraintsConverter.toJSON | public JSONObject toJSON(Constraint o) throws JSONConverterException {
ConstraintConverter c = java2json.get(o.getClass());
if (c == null) {
throw new JSONConverterException("No converter available for a constraint with the '" + o.getClass() + "' className");
}
return c.toJSON(o);
} | java | public JSONObject toJSON(Constraint o) throws JSONConverterException {
ConstraintConverter c = java2json.get(o.getClass());
if (c == null) {
throw new JSONConverterException("No converter available for a constraint with the '" + o.getClass() + "' className");
}
return c.toJSON(o);
} | [
"public",
"JSONObject",
"toJSON",
"(",
"Constraint",
"o",
")",
"throws",
"JSONConverterException",
"{",
"ConstraintConverter",
"c",
"=",
"java2json",
".",
"get",
"(",
"o",
".",
"getClass",
"(",
")",
")",
";",
"if",
"(",
"c",
"==",
"null",
")",
"{",
"thro... | Serialise a constraint.
@param o the constraint
@return the resulting encoded constraint
@throws JSONConverterException if the conversion failed | [
"Serialise",
"a",
"constraint",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java#L156-L162 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java | ConstraintsConverter.listFromJSON | public List<SatConstraint> listFromJSON(Model mo, JSONArray in) throws JSONConverterException {
List<SatConstraint> l = new ArrayList<>(in.size());
for (Object o : in) {
if (!(o instanceof JSONObject)) {
throw new JSONConverterException("Expected an array of JSONObject but got an array of " + o.getClass().getName());
}
l.add((SatConstraint) fromJSON(mo, (JSONObject) o));
}
return l;
} | java | public List<SatConstraint> listFromJSON(Model mo, JSONArray in) throws JSONConverterException {
List<SatConstraint> l = new ArrayList<>(in.size());
for (Object o : in) {
if (!(o instanceof JSONObject)) {
throw new JSONConverterException("Expected an array of JSONObject but got an array of " + o.getClass().getName());
}
l.add((SatConstraint) fromJSON(mo, (JSONObject) o));
}
return l;
} | [
"public",
"List",
"<",
"SatConstraint",
">",
"listFromJSON",
"(",
"Model",
"mo",
",",
"JSONArray",
"in",
")",
"throws",
"JSONConverterException",
"{",
"List",
"<",
"SatConstraint",
">",
"l",
"=",
"new",
"ArrayList",
"<>",
"(",
"in",
".",
"size",
"(",
")",
... | Convert a list of json-encoded sat-constraints.
@param mo the model to rely on
@param in the constraints to decode
@return the constraint list. Might be empty
@throws JSONConverterException if the conversion failed | [
"Convert",
"a",
"list",
"of",
"json",
"-",
"encoded",
"sat",
"-",
"constraints",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java#L171-L180 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java | ConstraintsConverter.toJSON | public JSONArray toJSON(Collection<SatConstraint> e) throws JSONConverterException {
JSONArray arr = new JSONArray();
for (SatConstraint cstr : e) {
arr.add(toJSON(cstr));
}
return arr;
} | java | public JSONArray toJSON(Collection<SatConstraint> e) throws JSONConverterException {
JSONArray arr = new JSONArray();
for (SatConstraint cstr : e) {
arr.add(toJSON(cstr));
}
return arr;
} | [
"public",
"JSONArray",
"toJSON",
"(",
"Collection",
"<",
"SatConstraint",
">",
"e",
")",
"throws",
"JSONConverterException",
"{",
"JSONArray",
"arr",
"=",
"new",
"JSONArray",
"(",
")",
";",
"for",
"(",
"SatConstraint",
"cstr",
":",
"e",
")",
"{",
"arr",
".... | Serialise a list of sat-constraints.
@param e the list to serialise
@return the resulting encoded list
@throws JSONConverterException if the conversion failed | [
"Serialise",
"a",
"list",
"of",
"sat",
"-",
"constraints",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/constraint/ConstraintsConverter.java#L188-L194 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/cache/CacheImpl.java | CacheImpl.clear | public synchronized void clear() {
_layerCache.clear();
_moduleCache.clear();
_gzipCache.clear();
for (IGenericCache cache : _namedCaches.values()) {
cache.clear();
}
} | java | public synchronized void clear() {
_layerCache.clear();
_moduleCache.clear();
_gzipCache.clear();
for (IGenericCache cache : _namedCaches.values()) {
cache.clear();
}
} | [
"public",
"synchronized",
"void",
"clear",
"(",
")",
"{",
"_layerCache",
".",
"clear",
"(",
")",
";",
"_moduleCache",
".",
"clear",
"(",
")",
";",
"_gzipCache",
".",
"clear",
"(",
")",
";",
"for",
"(",
"IGenericCache",
"cache",
":",
"_namedCaches",
".",
... | Help out the GC by clearing out the cache maps. | [
"Help",
"out",
"the",
"GC",
"by",
"clearing",
"out",
"the",
"cache",
"maps",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/cache/CacheImpl.java#L119-L126 | train |
jMotif/GI | src/main/java/net/seninp/gi/repair/RePairGrammar.java | RePairGrammar.toGrammarRules | public String toGrammarRules() {
StringBuffer sb = new StringBuffer();
System.out.println("R0 -> " + this.r0String);
for (int i = 1; i <= this.theRules.size(); i++) {
RePairRule r = this.theRules.get(i);
sb.append(THE_R).append(r.ruleNumber).append(" -> ").append(r.toRuleString()).append(" : ")
.append(r.expandedRuleString).append(", ").append(r.occurrences).append("\n");
}
return sb.toString();
} | java | public String toGrammarRules() {
StringBuffer sb = new StringBuffer();
System.out.println("R0 -> " + this.r0String);
for (int i = 1; i <= this.theRules.size(); i++) {
RePairRule r = this.theRules.get(i);
sb.append(THE_R).append(r.ruleNumber).append(" -> ").append(r.toRuleString()).append(" : ")
.append(r.expandedRuleString).append(", ").append(r.occurrences).append("\n");
}
return sb.toString();
} | [
"public",
"String",
"toGrammarRules",
"(",
")",
"{",
"StringBuffer",
"sb",
"=",
"new",
"StringBuffer",
"(",
")",
";",
"System",
".",
"out",
".",
"println",
"(",
"\"R0 -> \"",
"+",
"this",
".",
"r0String",
")",
";",
"for",
"(",
"int",
"i",
"=",
"1",
"... | Prints out the grammar as text.
@return textual representation of the grammar. | [
"Prints",
"out",
"the",
"grammar",
"as",
"text",
"."
] | 381212dd4f193246a6df82bd46f0d2bcd04a68d6 | https://github.com/jMotif/GI/blob/381212dd4f193246a6df82bd46f0d2bcd04a68d6/src/main/java/net/seninp/gi/repair/RePairGrammar.java#L129-L138 | train |
jMotif/GI | src/main/java/net/seninp/gi/repair/RePairGrammar.java | RePairGrammar.toGrammarRulesData | public GrammarRules toGrammarRulesData() {
GrammarRules res = new GrammarRules();
GrammarRuleRecord r0 = new GrammarRuleRecord();
r0.setRuleNumber(0);
r0.setRuleString(this.r0String);
r0.setExpandedRuleString(this.r0ExpandedString);
r0.setOccurrences(new int[] { 0 });
r0.setMeanLength(-1);
r0.setMinMaxLength(new int[] { -1 });
res.addRule(r0);
for (RePairRule rule : theRules.values()) {
// System.out.println("processing the rule " + rule.ruleNumber);
GrammarRuleRecord rec = new GrammarRuleRecord();
rec.setRuleNumber(rule.ruleNumber);
rec.setRuleString(rule.toRuleString());
rec.setExpandedRuleString(rule.expandedRuleString);
rec.setRuleYield(countSpaces(rule.expandedRuleString));
rec.setOccurrences(rule.getOccurrences());
rec.setRuleIntervals(rule.getRuleIntervals());
rec.setRuleLevel(rule.getLevel());
rec.setMinMaxLength(rule.getLengths());
rec.setMeanLength(mean(rule.getRuleIntervals()));
res.addRule(rec);
}
// count the rule use
for (GrammarRuleRecord r : res) {
String str = r.getRuleString();
String[] tokens = str.split("\\s+");
for (String t : tokens) {
if (t.startsWith("R")) {
Integer ruleId = Integer.valueOf(t.substring(1));
GrammarRuleRecord rr = res.get(ruleId);
// System.out.print(rr.getRuleUseFrequency() + " ");
int newFreq = rr.getRuleUseFrequency() + 1;
rr.setRuleUseFrequency(newFreq);
// System.out.println(rr.getRuleUseFrequency());
}
}
}
return res;
} | java | public GrammarRules toGrammarRulesData() {
GrammarRules res = new GrammarRules();
GrammarRuleRecord r0 = new GrammarRuleRecord();
r0.setRuleNumber(0);
r0.setRuleString(this.r0String);
r0.setExpandedRuleString(this.r0ExpandedString);
r0.setOccurrences(new int[] { 0 });
r0.setMeanLength(-1);
r0.setMinMaxLength(new int[] { -1 });
res.addRule(r0);
for (RePairRule rule : theRules.values()) {
// System.out.println("processing the rule " + rule.ruleNumber);
GrammarRuleRecord rec = new GrammarRuleRecord();
rec.setRuleNumber(rule.ruleNumber);
rec.setRuleString(rule.toRuleString());
rec.setExpandedRuleString(rule.expandedRuleString);
rec.setRuleYield(countSpaces(rule.expandedRuleString));
rec.setOccurrences(rule.getOccurrences());
rec.setRuleIntervals(rule.getRuleIntervals());
rec.setRuleLevel(rule.getLevel());
rec.setMinMaxLength(rule.getLengths());
rec.setMeanLength(mean(rule.getRuleIntervals()));
res.addRule(rec);
}
// count the rule use
for (GrammarRuleRecord r : res) {
String str = r.getRuleString();
String[] tokens = str.split("\\s+");
for (String t : tokens) {
if (t.startsWith("R")) {
Integer ruleId = Integer.valueOf(t.substring(1));
GrammarRuleRecord rr = res.get(ruleId);
// System.out.print(rr.getRuleUseFrequency() + " ");
int newFreq = rr.getRuleUseFrequency() + 1;
rr.setRuleUseFrequency(newFreq);
// System.out.println(rr.getRuleUseFrequency());
}
}
}
return res;
} | [
"public",
"GrammarRules",
"toGrammarRulesData",
"(",
")",
"{",
"GrammarRules",
"res",
"=",
"new",
"GrammarRules",
"(",
")",
";",
"GrammarRuleRecord",
"r0",
"=",
"new",
"GrammarRuleRecord",
"(",
")",
";",
"r0",
".",
"setRuleNumber",
"(",
"0",
")",
";",
"r0",
... | Build a grammarviz-"portable" grammar object.
@return a grammarviz-"portable" grammar object. | [
"Build",
"a",
"grammarviz",
"-",
"portable",
"grammar",
"object",
"."
] | 381212dd4f193246a6df82bd46f0d2bcd04a68d6 | https://github.com/jMotif/GI/blob/381212dd4f193246a6df82bd46f0d2bcd04a68d6/src/main/java/net/seninp/gi/repair/RePairGrammar.java#L145-L192 | train |
jMotif/GI | src/main/java/net/seninp/gi/repair/RePairGrammar.java | RePairGrammar.buildIntervals | public void buildIntervals(SAXRecords records, double[] originalTimeSeries,
int slidingWindowSize) {
records.buildIndex();
for (int ruleIdx = 1; ruleIdx <= this.theRules.size(); ruleIdx++) {
RePairRule rr = this.theRules.get(ruleIdx);
String[] split = rr.expandedRuleString.split(" ");
for (int strPos : rr.getOccurrences()) {
Integer tsPos = records.mapStringIndexToTSPosition(strPos + split.length - 1);
if (null == tsPos) {
rr.ruleIntervals.add(new RuleInterval(records.mapStringIndexToTSPosition(strPos),
originalTimeSeries.length + 1)); // +1 cause right point is excluded
}
else {
rr.ruleIntervals.add(new RuleInterval(records.mapStringIndexToTSPosition(strPos),
records.mapStringIndexToTSPosition(strPos + split.length - 1) + slidingWindowSize));
}
}
}
} | java | public void buildIntervals(SAXRecords records, double[] originalTimeSeries,
int slidingWindowSize) {
records.buildIndex();
for (int ruleIdx = 1; ruleIdx <= this.theRules.size(); ruleIdx++) {
RePairRule rr = this.theRules.get(ruleIdx);
String[] split = rr.expandedRuleString.split(" ");
for (int strPos : rr.getOccurrences()) {
Integer tsPos = records.mapStringIndexToTSPosition(strPos + split.length - 1);
if (null == tsPos) {
rr.ruleIntervals.add(new RuleInterval(records.mapStringIndexToTSPosition(strPos),
originalTimeSeries.length + 1)); // +1 cause right point is excluded
}
else {
rr.ruleIntervals.add(new RuleInterval(records.mapStringIndexToTSPosition(strPos),
records.mapStringIndexToTSPosition(strPos + split.length - 1) + slidingWindowSize));
}
}
}
} | [
"public",
"void",
"buildIntervals",
"(",
"SAXRecords",
"records",
",",
"double",
"[",
"]",
"originalTimeSeries",
",",
"int",
"slidingWindowSize",
")",
"{",
"records",
".",
"buildIndex",
"(",
")",
";",
"for",
"(",
"int",
"ruleIdx",
"=",
"1",
";",
"ruleIdx",
... | Builds a table of intervals corresponding to the grammar rules.
@param records the records to build intervals for.
@param originalTimeSeries the timeseries.
@param slidingWindowSize the sliding window size. | [
"Builds",
"a",
"table",
"of",
"intervals",
"corresponding",
"to",
"the",
"grammar",
"rules",
"."
] | 381212dd4f193246a6df82bd46f0d2bcd04a68d6 | https://github.com/jMotif/GI/blob/381212dd4f193246a6df82bd46f0d2bcd04a68d6/src/main/java/net/seninp/gi/repair/RePairGrammar.java#L201-L224 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/CompilerUtil.java | CompilerUtil.fromPrimitive | private static Class<?> fromPrimitive(Class<?> clazz) {
Class<?> clazz2 = PRIMITIVE_TO_CLASS.get(clazz);
return clazz2 == null ? clazz : clazz2;
} | java | private static Class<?> fromPrimitive(Class<?> clazz) {
Class<?> clazz2 = PRIMITIVE_TO_CLASS.get(clazz);
return clazz2 == null ? clazz : clazz2;
} | [
"private",
"static",
"Class",
"<",
"?",
">",
"fromPrimitive",
"(",
"Class",
"<",
"?",
">",
"clazz",
")",
"{",
"Class",
"<",
"?",
">",
"clazz2",
"=",
"PRIMITIVE_TO_CLASS",
".",
"get",
"(",
"clazz",
")",
";",
"return",
"clazz2",
"==",
"null",
"?",
"cla... | Converts and returns the specified class, if it represents a primitive, to the associated
non-primitive class, or else returns the specified class if it is not a primitive.
@param clazz
the input class
@return the associated non-primitive class, or the input class if it is not a primitive | [
"Converts",
"and",
"returns",
"the",
"specified",
"class",
"if",
"it",
"represents",
"a",
"primitive",
"to",
"the",
"associated",
"non",
"-",
"primitive",
"class",
"or",
"else",
"returns",
"the",
"specified",
"class",
"if",
"it",
"is",
"not",
"a",
"primitive... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/CompilerUtil.java#L80-L83 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/CompilerUtil.java | CompilerUtil.findNamedDiagnosticGroup | private static DiagnosticGroup findNamedDiagnosticGroup(String name) {
final String sourceMethod = "findNamedDiagnosticGroup"; //$NON-NLS-1$
final boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(sourceClass, sourceMethod, new Object[]{name});
}
DiagnosticGroup result = null;
Class<DiagnosticGroups> clazz = DiagnosticGroups.class;
// iterate through the public static fields looking for a match
Field[] fields = clazz.getDeclaredFields();
for (Field field : fields) {
int modifier = field.getModifiers();
if (field.getType().isAssignableFrom(DiagnosticGroup.class) &&
(modifier & Modifier.STATIC) != 0 && (modifier & Modifier.PUBLIC) != 0 &&
field.getName().equals(name)) {
try {
result = (DiagnosticGroup)field.get(null);
break;
} catch (Exception e) {
// Shouldn't ever happen with public static fields
if (log.isLoggable(Level.WARNING)) {
log.logp(Level.WARNING, sourceClass, sourceMethod, e.getMessage(), e);
}
}
}
}
if (isTraceLogging) {
log.exiting(sourceMethod, sourceMethod, result);
}
return result;
} | java | private static DiagnosticGroup findNamedDiagnosticGroup(String name) {
final String sourceMethod = "findNamedDiagnosticGroup"; //$NON-NLS-1$
final boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(sourceClass, sourceMethod, new Object[]{name});
}
DiagnosticGroup result = null;
Class<DiagnosticGroups> clazz = DiagnosticGroups.class;
// iterate through the public static fields looking for a match
Field[] fields = clazz.getDeclaredFields();
for (Field field : fields) {
int modifier = field.getModifiers();
if (field.getType().isAssignableFrom(DiagnosticGroup.class) &&
(modifier & Modifier.STATIC) != 0 && (modifier & Modifier.PUBLIC) != 0 &&
field.getName().equals(name)) {
try {
result = (DiagnosticGroup)field.get(null);
break;
} catch (Exception e) {
// Shouldn't ever happen with public static fields
if (log.isLoggable(Level.WARNING)) {
log.logp(Level.WARNING, sourceClass, sourceMethod, e.getMessage(), e);
}
}
}
}
if (isTraceLogging) {
log.exiting(sourceMethod, sourceMethod, result);
}
return result;
} | [
"private",
"static",
"DiagnosticGroup",
"findNamedDiagnosticGroup",
"(",
"String",
"name",
")",
"{",
"final",
"String",
"sourceMethod",
"=",
"\"findNamedDiagnosticGroup\"",
";",
"//$NON-NLS-1$\r",
"final",
"boolean",
"isTraceLogging",
"=",
"log",
".",
"isLoggable",
"(",... | Tries to match the provided name with a named Diagnostic group defined in the
DiagnosticGroups class.
@param name
the name to match
@return The matching named DiagnosticGroup static instance or null | [
"Tries",
"to",
"match",
"the",
"provided",
"name",
"with",
"a",
"named",
"Diagnostic",
"group",
"defined",
"in",
"the",
"DiagnosticGroups",
"class",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/CompilerUtil.java#L502-L532 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java | CSSModuleBuilder.postcss | protected String postcss(HttpServletRequest request, String css, IResource res) throws IOException {
if (threadScopes == null) {
return css;
}
Context cx = Context.enter();
Scriptable threadScope = null;
String result = null;
try {
threadScope = threadScopes.poll(SCOPE_POOL_TIMEOUT_SECONDS, TimeUnit.SECONDS);
if (threadScope == null) {
throw new TimeoutException("Timeout waiting for thread scope"); //$NON-NLS-1$
}
Scriptable scope = cx.newObject(threadScope);
scope.setParentScope(threadScope);
Scriptable postcssInstance = (Scriptable)threadScope.get(POSTCSS_INSTANCE, scope);
Function postcssProcessor = (Function)postcssInstance.getPrototype().get(PROCESS, postcssInstance);
Object processed = postcssProcessor.call(cx, scope, postcssInstance, new Object[]{css, postcssOptions});
result = Context.toString(processed);
} catch (JavaScriptException e) {
// Add module info
String message = "Error parsing " + res.getURI() + "\r\n" + e.getMessage(); //$NON-NLS-1$ //$NON-NLS-2$
throw new IOException(message, e);
} catch (InterruptedException e) {
throw new RuntimeException(e);
} catch (TimeoutException e) {
throw new RuntimeException(e);
}
finally {
if (threadScope != null) {
// put the thread scope back in the queue now that we're done with it
threadScopes.add(threadScope);
}
Context.exit();
}
return result;
} | java | protected String postcss(HttpServletRequest request, String css, IResource res) throws IOException {
if (threadScopes == null) {
return css;
}
Context cx = Context.enter();
Scriptable threadScope = null;
String result = null;
try {
threadScope = threadScopes.poll(SCOPE_POOL_TIMEOUT_SECONDS, TimeUnit.SECONDS);
if (threadScope == null) {
throw new TimeoutException("Timeout waiting for thread scope"); //$NON-NLS-1$
}
Scriptable scope = cx.newObject(threadScope);
scope.setParentScope(threadScope);
Scriptable postcssInstance = (Scriptable)threadScope.get(POSTCSS_INSTANCE, scope);
Function postcssProcessor = (Function)postcssInstance.getPrototype().get(PROCESS, postcssInstance);
Object processed = postcssProcessor.call(cx, scope, postcssInstance, new Object[]{css, postcssOptions});
result = Context.toString(processed);
} catch (JavaScriptException e) {
// Add module info
String message = "Error parsing " + res.getURI() + "\r\n" + e.getMessage(); //$NON-NLS-1$ //$NON-NLS-2$
throw new IOException(message, e);
} catch (InterruptedException e) {
throw new RuntimeException(e);
} catch (TimeoutException e) {
throw new RuntimeException(e);
}
finally {
if (threadScope != null) {
// put the thread scope back in the queue now that we're done with it
threadScopes.add(threadScope);
}
Context.exit();
}
return result;
} | [
"protected",
"String",
"postcss",
"(",
"HttpServletRequest",
"request",
",",
"String",
"css",
",",
"IResource",
"res",
")",
"throws",
"IOException",
"{",
"if",
"(",
"threadScopes",
"==",
"null",
")",
"{",
"return",
"css",
";",
"}",
"Context",
"cx",
"=",
"C... | Runs given CSS through PostCSS processor for minification and any other processing
by configured plugins
.
@param request
@param css
@param res
@return The processed CSS.
@throws IOException | [
"Runs",
"given",
"CSS",
"through",
"PostCSS",
"processor",
"for",
"minification",
"and",
"any",
"other",
"processing",
"by",
"configured",
"plugins",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java#L740-L775 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java | CSSModuleBuilder.createThreadScope | protected Scriptable createThreadScope(Context cx, Scriptable protoScope) {
// Create the scope object
Scriptable scope = cx.newObject(protoScope);
scope.setPrototype(protoScope);
scope.setParentScope(null);
// Set "global" variable to point to global scope
scope.put("global", scope, scope); //$NON-NLS-1$
// Evaluate PostCSS javascript
postcssJsScript.exec(cx, scope);
// Initialize the plugins array that we pass to PostCSS
NativeArray plugins = (NativeArray)cx.newArray(scope, 0);
// Get reference to Array.prototype.push() so that we can add elements
Function pushFn = (Function)plugins.getPrototype().get("push", scope); //$NON-NLS-1$
/*
* Now load and initialize plugins
*/
for (PluginInfo info : pluginInfoList) {
// Set up new scope for defining the module so that module.exports is not shared between plugins
Scriptable defineScope = cx.newObject(scope);
defineScope.setParentScope(scope);
amdDefineShimScript.exec(cx, defineScope);
Scriptable moduleVar = (Scriptable)defineScope.get(MODULE, defineScope);
info.moduleScript.exec(cx, defineScope);
// Retrieve the module reference and initialize the plugin
Function module = (Function)moduleVar.get(EXPORTS, moduleVar);
Scriptable plugin = (Scriptable)info.initializer.call(cx, scope, scope, new Object[]{module});
// Add the plugin to the array
pushFn.call(cx, scope, plugins, new Object[]{plugin});
}
// Create an instance of the PostCSS processor and save to a variable in thread scope
Function postcss = (Function)scope.get(POSTCSS, scope);
postcssOptions = (Scriptable)Context.javaToJS(POSTCSS_OPTIONS, scope);
Scriptable postcssInstance = (Scriptable)postcss.call(cx, scope, scope, new Object[]{plugins});
scope.put(POSTCSS_INSTANCE, scope, postcssInstance);
return scope;
} | java | protected Scriptable createThreadScope(Context cx, Scriptable protoScope) {
// Create the scope object
Scriptable scope = cx.newObject(protoScope);
scope.setPrototype(protoScope);
scope.setParentScope(null);
// Set "global" variable to point to global scope
scope.put("global", scope, scope); //$NON-NLS-1$
// Evaluate PostCSS javascript
postcssJsScript.exec(cx, scope);
// Initialize the plugins array that we pass to PostCSS
NativeArray plugins = (NativeArray)cx.newArray(scope, 0);
// Get reference to Array.prototype.push() so that we can add elements
Function pushFn = (Function)plugins.getPrototype().get("push", scope); //$NON-NLS-1$
/*
* Now load and initialize plugins
*/
for (PluginInfo info : pluginInfoList) {
// Set up new scope for defining the module so that module.exports is not shared between plugins
Scriptable defineScope = cx.newObject(scope);
defineScope.setParentScope(scope);
amdDefineShimScript.exec(cx, defineScope);
Scriptable moduleVar = (Scriptable)defineScope.get(MODULE, defineScope);
info.moduleScript.exec(cx, defineScope);
// Retrieve the module reference and initialize the plugin
Function module = (Function)moduleVar.get(EXPORTS, moduleVar);
Scriptable plugin = (Scriptable)info.initializer.call(cx, scope, scope, new Object[]{module});
// Add the plugin to the array
pushFn.call(cx, scope, plugins, new Object[]{plugin});
}
// Create an instance of the PostCSS processor and save to a variable in thread scope
Function postcss = (Function)scope.get(POSTCSS, scope);
postcssOptions = (Scriptable)Context.javaToJS(POSTCSS_OPTIONS, scope);
Scriptable postcssInstance = (Scriptable)postcss.call(cx, scope, scope, new Object[]{plugins});
scope.put(POSTCSS_INSTANCE, scope, postcssInstance);
return scope;
} | [
"protected",
"Scriptable",
"createThreadScope",
"(",
"Context",
"cx",
",",
"Scriptable",
"protoScope",
")",
"{",
"// Create the scope object\r",
"Scriptable",
"scope",
"=",
"cx",
".",
"newObject",
"(",
"protoScope",
")",
";",
"scope",
".",
"setPrototype",
"(",
"pr... | Creates a thread scope for the PostCSS processor and it's plugins. Thread scopes allow
PostCSS to process multiple CSS modules concurrently, each executing in a separate thread,
without interfering with each other.
@param cx
the Rhino Context
@param protoScope
the parent scope object
@return the thread scope | [
"Creates",
"a",
"thread",
"scope",
"for",
"the",
"PostCSS",
"processor",
"and",
"it",
"s",
"plugins",
".",
"Thread",
"scopes",
"allow",
"PostCSS",
"to",
"process",
"multiple",
"CSS",
"modules",
"concurrently",
"each",
"executing",
"in",
"a",
"separate",
"threa... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java#L940-L981 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java | CSSModuleBuilder.dequote | public String dequote(String in) {
String result = in.trim();
if (result.charAt(0) == '"' && result.charAt(result.length()-1) == '"') {
return result.substring(1, result.length()-1);
}
if (result.charAt(0) == '\'' && result.charAt(result.length()-1) == '\'') {
return result.substring(1, result.length()-1);
}
return result;
} | java | public String dequote(String in) {
String result = in.trim();
if (result.charAt(0) == '"' && result.charAt(result.length()-1) == '"') {
return result.substring(1, result.length()-1);
}
if (result.charAt(0) == '\'' && result.charAt(result.length()-1) == '\'') {
return result.substring(1, result.length()-1);
}
return result;
} | [
"public",
"String",
"dequote",
"(",
"String",
"in",
")",
"{",
"String",
"result",
"=",
"in",
".",
"trim",
"(",
")",
";",
"if",
"(",
"result",
".",
"charAt",
"(",
"0",
")",
"==",
"'",
"'",
"&&",
"result",
".",
"charAt",
"(",
"result",
".",
"length... | Removes single or double quotes from a quoted string. The entire string
is expected to be quoted, with possible leading or trailing whitespace.
If the string is not quoted, then it is returned unmodified.
@param in
The possibly quoted string
@return The string with quotes removed | [
"Removes",
"single",
"or",
"double",
"quotes",
"from",
"a",
"quoted",
"string",
".",
"The",
"entire",
"string",
"is",
"expected",
"to",
"be",
"quoted",
"with",
"possible",
"leading",
"or",
"trailing",
"whitespace",
".",
"If",
"the",
"string",
"is",
"not",
... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/modulebuilder/css/CSSModuleBuilder.java#L1166-L1175 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.tr | public tr tr(int index) {
while (trList.size() <= index) {
trList.add(new tr());
}
return trList.get(index);
} | java | public tr tr(int index) {
while (trList.size() <= index) {
trList.add(new tr());
}
return trList.get(index);
} | [
"public",
"tr",
"tr",
"(",
"int",
"index",
")",
"{",
"while",
"(",
"trList",
".",
"size",
"(",
")",
"<=",
"index",
")",
"{",
"trList",
".",
"add",
"(",
"new",
"tr",
"(",
")",
")",
";",
"}",
"return",
"trList",
".",
"get",
"(",
"index",
")",
"... | Get tr of specified index. If there no tr at the specified index, new tr will be created.
@param index 0=first tr, 1= second tr
@return | [
"Get",
"tr",
"of",
"specified",
"index",
".",
"If",
"there",
"no",
"tr",
"at",
"the",
"specified",
"index",
"new",
"tr",
"will",
"be",
"created",
"."
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L338-L343 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.addTr | public tr addTr(Map<String, Object> attrMap) {
tr tr = new tr();
tr.setAttr(attrMap);
trList.add(tr);
return tr;
} | java | public tr addTr(Map<String, Object> attrMap) {
tr tr = new tr();
tr.setAttr(attrMap);
trList.add(tr);
return tr;
} | [
"public",
"tr",
"addTr",
"(",
"Map",
"<",
"String",
",",
"Object",
">",
"attrMap",
")",
"{",
"tr",
"tr",
"=",
"new",
"tr",
"(",
")",
";",
"tr",
".",
"setAttr",
"(",
"attrMap",
")",
";",
"trList",
".",
"add",
"(",
"tr",
")",
";",
"return",
"tr",... | add new tr having specified attributes. | [
"add",
"new",
"tr",
"having",
"specified",
"attributes",
"."
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L358-L363 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.addTr | public <T extends AbstractJaxb> TableBuilder addTr(List<Object> tdList)
throws TagTypeUnmatchException {
return addTr(tdList, null);
} | java | public <T extends AbstractJaxb> TableBuilder addTr(List<Object> tdList)
throws TagTypeUnmatchException {
return addTr(tdList, null);
} | [
"public",
"<",
"T",
"extends",
"AbstractJaxb",
">",
"TableBuilder",
"addTr",
"(",
"List",
"<",
"Object",
">",
"tdList",
")",
"throws",
"TagTypeUnmatchException",
"{",
"return",
"addTr",
"(",
"tdList",
",",
"null",
")",
";",
"}"
] | add new tr having td tags that has content of each value of list.
@param tdList
@return
@throws TagTypeUnmatchException | [
"add",
"new",
"tr",
"having",
"td",
"tags",
"that",
"has",
"content",
"of",
"each",
"value",
"of",
"list",
"."
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L372-L375 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.addTr | @SuppressWarnings("unchecked")
public <T extends AbstractJaxb> TableBuilder addTr(List<Object> tdList,
Map<String, Object> attrMap) throws TagTypeUnmatchException {
tr tr = new tr();
tr.setAttr(attrMap);
for (Object obj : tdList) {
if (obj instanceof String) {
tr.addTd((String) obj);
} else if (obj instanceof AbstractJaxb) {
tr.addTd((T) obj);
} else {
throw new TagTypeUnmatchException(
"String or other tag object expected but tdList contains "
+ obj.getClass().getName());
}
}
trList.add(tr);
return this;
} | java | @SuppressWarnings("unchecked")
public <T extends AbstractJaxb> TableBuilder addTr(List<Object> tdList,
Map<String, Object> attrMap) throws TagTypeUnmatchException {
tr tr = new tr();
tr.setAttr(attrMap);
for (Object obj : tdList) {
if (obj instanceof String) {
tr.addTd((String) obj);
} else if (obj instanceof AbstractJaxb) {
tr.addTd((T) obj);
} else {
throw new TagTypeUnmatchException(
"String or other tag object expected but tdList contains "
+ obj.getClass().getName());
}
}
trList.add(tr);
return this;
} | [
"@",
"SuppressWarnings",
"(",
"\"unchecked\"",
")",
"public",
"<",
"T",
"extends",
"AbstractJaxb",
">",
"TableBuilder",
"addTr",
"(",
"List",
"<",
"Object",
">",
"tdList",
",",
"Map",
"<",
"String",
",",
"Object",
">",
"attrMap",
")",
"throws",
"TagTypeUnmat... | add new tr having td tags that has content of each value of list.
The new tr tag have specifed attributes.
@param tdList
@param attrMap attributes for new tr tag
@return
@throws TagTypeUnmatchException | [
"add",
"new",
"tr",
"having",
"td",
"tags",
"that",
"has",
"content",
"of",
"each",
"value",
"of",
"list",
".",
"The",
"new",
"tr",
"tag",
"have",
"specifed",
"attributes",
"."
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L386-L404 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.tbody | public tbody tbody(int index) {
while (tbodyList.size() <= index) {
tbodyList.add(new tbody());
}
return tbodyList.get(index);
} | java | public tbody tbody(int index) {
while (tbodyList.size() <= index) {
tbodyList.add(new tbody());
}
return tbodyList.get(index);
} | [
"public",
"tbody",
"tbody",
"(",
"int",
"index",
")",
"{",
"while",
"(",
"tbodyList",
".",
"size",
"(",
")",
"<=",
"index",
")",
"{",
"tbodyList",
".",
"add",
"(",
"new",
"tbody",
"(",
")",
")",
";",
"}",
"return",
"tbodyList",
".",
"get",
"(",
"... | Get tbody at specified index
@param index 0=first tbody, 1=second tbody.
添え字です。0なら一つ目のtbody、1なら二つ目のtbody
@return | [
"Get",
"tbody",
"at",
"specified",
"index"
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L414-L419 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.addTbody | public TableBuilder addTbody(List<List<Object>> trList)
throws TagTypeUnmatchException {
addTbody(trList, null);
return this;
} | java | public TableBuilder addTbody(List<List<Object>> trList)
throws TagTypeUnmatchException {
addTbody(trList, null);
return this;
} | [
"public",
"TableBuilder",
"addTbody",
"(",
"List",
"<",
"List",
"<",
"Object",
">",
">",
"trList",
")",
"throws",
"TagTypeUnmatchException",
"{",
"addTbody",
"(",
"trList",
",",
"null",
")",
";",
"return",
"this",
";",
"}"
] | add new tbody into table having tr,td tags
@param trList List of List for tr,td tags
@return
@throws TagTypeUnmatchException | [
"add",
"new",
"tbody",
"into",
"table",
"having",
"tr",
"td",
"tags"
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L438-L442 | train |
nabedge/mixer2 | src/main/java/org/mixer2/xhtml/builder/TableBuilder.java | TableBuilder.build | public Table build() {
Table table = new Table();
Thead _thead = thead.buildThead();
if (_thead != null) {
table.setThead(_thead);
}
Tfoot _tfoot = tfoot.buildTfoot();
if (_tfoot != null) {
table.setTfoot(_tfoot);
}
for (tbody _tbody : tbodyList) {
table.getTbody().add(_tbody.buildTbody());
}
for (tr _tr : trList) {
table.getTr().add(_tr.buildTr());
}
return table;
} | java | public Table build() {
Table table = new Table();
Thead _thead = thead.buildThead();
if (_thead != null) {
table.setThead(_thead);
}
Tfoot _tfoot = tfoot.buildTfoot();
if (_tfoot != null) {
table.setTfoot(_tfoot);
}
for (tbody _tbody : tbodyList) {
table.getTbody().add(_tbody.buildTbody());
}
for (tr _tr : trList) {
table.getTr().add(_tr.buildTr());
}
return table;
} | [
"public",
"Table",
"build",
"(",
")",
"{",
"Table",
"table",
"=",
"new",
"Table",
"(",
")",
";",
"Thead",
"_thead",
"=",
"thead",
".",
"buildThead",
"(",
")",
";",
"if",
"(",
"_thead",
"!=",
"null",
")",
"{",
"table",
".",
"setThead",
"(",
"_thead"... | build table tag object finally.
@return | [
"build",
"table",
"tag",
"object",
"finally",
"."
] | 8c2db27cfcd65bf0b1e0242ef9362ebd8033777c | https://github.com/nabedge/mixer2/blob/8c2db27cfcd65bf0b1e0242ef9362ebd8033777c/src/main/java/org/mixer2/xhtml/builder/TableBuilder.java#L619-L636 | train |
m-m-m/util | cli/src/main/java/net/sf/mmm/util/cli/api/AbstractVersionedMain.java | AbstractVersionedMain.getVersion | protected String getVersion() {
Manifest manifest = ManifestLoader.loadManifest(getClass());
String versionNumber = null;
if (manifest != null) {
versionNumber = ManifestLoader.getValue(manifest, Attributes.Name.IMPLEMENTATION_VERSION);
if (versionNumber == null) {
versionNumber = ManifestLoader.getValue(manifest, Attributes.Name.SPECIFICATION_VERSION);
}
}
if (versionNumber == null) {
versionNumber = SNAPSHOT;
}
return versionNumber;
} | java | protected String getVersion() {
Manifest manifest = ManifestLoader.loadManifest(getClass());
String versionNumber = null;
if (manifest != null) {
versionNumber = ManifestLoader.getValue(manifest, Attributes.Name.IMPLEMENTATION_VERSION);
if (versionNumber == null) {
versionNumber = ManifestLoader.getValue(manifest, Attributes.Name.SPECIFICATION_VERSION);
}
}
if (versionNumber == null) {
versionNumber = SNAPSHOT;
}
return versionNumber;
} | [
"protected",
"String",
"getVersion",
"(",
")",
"{",
"Manifest",
"manifest",
"=",
"ManifestLoader",
".",
"loadManifest",
"(",
"getClass",
"(",
")",
")",
";",
"String",
"versionNumber",
"=",
"null",
";",
"if",
"(",
"manifest",
"!=",
"null",
")",
"{",
"versio... | This method gets the Version of this program.
@return the program-version. | [
"This",
"method",
"gets",
"the",
"Version",
"of",
"this",
"program",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/cli/src/main/java/net/sf/mmm/util/cli/api/AbstractVersionedMain.java#L34-L48 | train |
m-m-m/util | cli/src/main/java/net/sf/mmm/util/cli/base/AbstractCliValueContainerContainer.java | AbstractCliValueContainerContainer.setValueInternal | protected void setValueInternal(String argument, char separator, GenericType<?> propertyType) {
if (this.valueAlreadySet) {
CliOptionDuplicateException exception = new CliOptionDuplicateException(getParameterContainer().getName());
CliStyleHandling.EXCEPTION.handle(getLogger(), exception);
}
// TODO: separator currently ignored!
Object value = getDependencies().getConverter().convertValue(argument, getParameterContainer(),
propertyType.getAssignmentClass(), propertyType);
setValueInternal(value);
this.valueAlreadySet = true;
} | java | protected void setValueInternal(String argument, char separator, GenericType<?> propertyType) {
if (this.valueAlreadySet) {
CliOptionDuplicateException exception = new CliOptionDuplicateException(getParameterContainer().getName());
CliStyleHandling.EXCEPTION.handle(getLogger(), exception);
}
// TODO: separator currently ignored!
Object value = getDependencies().getConverter().convertValue(argument, getParameterContainer(),
propertyType.getAssignmentClass(), propertyType);
setValueInternal(value);
this.valueAlreadySet = true;
} | [
"protected",
"void",
"setValueInternal",
"(",
"String",
"argument",
",",
"char",
"separator",
",",
"GenericType",
"<",
"?",
">",
"propertyType",
")",
"{",
"if",
"(",
"this",
".",
"valueAlreadySet",
")",
"{",
"CliOptionDuplicateException",
"exception",
"=",
"new"... | This method parses container value as from a single argument and sets it as new object.
@param argument is the argument representing the container as string.
@param separator is the character used as separator for the container values.
@param propertyType is the {@link GenericType} of the property. | [
"This",
"method",
"parses",
"container",
"value",
"as",
"from",
"a",
"single",
"argument",
"and",
"sets",
"it",
"as",
"new",
"object",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/cli/src/main/java/net/sf/mmm/util/cli/base/AbstractCliValueContainerContainer.java#L69-L80 | train |
btrplace/scheduler | split/src/main/java/org/btrplace/scheduler/runner/disjoint/Instances.java | Instances.makeVMIndex | public static TIntIntHashMap makeVMIndex(Collection<Instance> instances) {
TIntIntHashMap index = new TIntIntHashMap();
int p = 0;
for (Instance i : instances) {
Mapping m = i.getModel().getMapping();
for (Node n : m.getOnlineNodes()) {
for (VM v : m.getRunningVMs(n)) {
index.put(v.id(), p);
}
for (VM v : m.getSleepingVMs(n)) {
index.put(v.id(), p);
}
}
for (VM v : m.getReadyVMs()) {
index.put(v.id(), p);
}
p++;
}
return index;
} | java | public static TIntIntHashMap makeVMIndex(Collection<Instance> instances) {
TIntIntHashMap index = new TIntIntHashMap();
int p = 0;
for (Instance i : instances) {
Mapping m = i.getModel().getMapping();
for (Node n : m.getOnlineNodes()) {
for (VM v : m.getRunningVMs(n)) {
index.put(v.id(), p);
}
for (VM v : m.getSleepingVMs(n)) {
index.put(v.id(), p);
}
}
for (VM v : m.getReadyVMs()) {
index.put(v.id(), p);
}
p++;
}
return index;
} | [
"public",
"static",
"TIntIntHashMap",
"makeVMIndex",
"(",
"Collection",
"<",
"Instance",
">",
"instances",
")",
"{",
"TIntIntHashMap",
"index",
"=",
"new",
"TIntIntHashMap",
"(",
")",
";",
"int",
"p",
"=",
"0",
";",
"for",
"(",
"Instance",
"i",
":",
"insta... | Make an index revealing the position of each VM in a collection
of disjoint instances
@param instances the collection to browse. Instances are supposed to be disjoint
@return the index of every VM. Format {@code VM#id() -> position} | [
"Make",
"an",
"index",
"revealing",
"the",
"position",
"of",
"each",
"VM",
"in",
"a",
"collection",
"of",
"disjoint",
"instances"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/split/src/main/java/org/btrplace/scheduler/runner/disjoint/Instances.java#L49-L68 | train |
btrplace/scheduler | split/src/main/java/org/btrplace/scheduler/runner/disjoint/Instances.java | Instances.makeNodeIndex | public static TIntIntHashMap makeNodeIndex(Collection<Instance> instances) {
TIntIntHashMap index = new TIntIntHashMap();
int p = 0;
for (Instance i : instances) {
Mapping m = i.getModel().getMapping();
for (Node n : m.getOfflineNodes()) {
index.put(n.id(), p);
}
for (Node n : m.getOnlineNodes()) {
index.put(n.id(), p);
}
p++;
}
return index;
} | java | public static TIntIntHashMap makeNodeIndex(Collection<Instance> instances) {
TIntIntHashMap index = new TIntIntHashMap();
int p = 0;
for (Instance i : instances) {
Mapping m = i.getModel().getMapping();
for (Node n : m.getOfflineNodes()) {
index.put(n.id(), p);
}
for (Node n : m.getOnlineNodes()) {
index.put(n.id(), p);
}
p++;
}
return index;
} | [
"public",
"static",
"TIntIntHashMap",
"makeNodeIndex",
"(",
"Collection",
"<",
"Instance",
">",
"instances",
")",
"{",
"TIntIntHashMap",
"index",
"=",
"new",
"TIntIntHashMap",
"(",
")",
";",
"int",
"p",
"=",
"0",
";",
"for",
"(",
"Instance",
"i",
":",
"ins... | Make an index revealing the position of each node in a collection
of disjoint instances
@param instances the collection to browse. Instances are supposed to be disjoint
@return the index of every node. Format {@code Node#id() -> position} | [
"Make",
"an",
"index",
"revealing",
"the",
"position",
"of",
"each",
"node",
"in",
"a",
"collection",
"of",
"disjoint",
"instances"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/split/src/main/java/org/btrplace/scheduler/runner/disjoint/Instances.java#L77-L91 | train |
m-m-m/util | io/src/main/java/net/sf/mmm/util/io/impl/ProcessableDetectorStream.java | ProcessableDetectorStream.initialize | public void initialize(AbstractDetectorStreamProvider provider, DetectorStreamProcessor lastProcessor) {
List<DetectorStreamProcessorFactory> factoryList = provider.getProcessorFactoryList();
int factoryCount = factoryList.size();
DetectorStreamBufferImpl buffer = new DetectorStreamBufferImpl(lastProcessor, null, this.byteArrayPool);
for (int factoryIndex = factoryCount - 1; factoryIndex >= 0; factoryIndex--) {
DetectorStreamProcessorFactory factory = factoryList.get(factoryIndex);
DetectorStreamProcessor processor = factory.createProcessor();
buffer = new DetectorStreamBufferImpl(processor, buffer, this.byteArrayPool);
}
this.firstBuffer = buffer;
} | java | public void initialize(AbstractDetectorStreamProvider provider, DetectorStreamProcessor lastProcessor) {
List<DetectorStreamProcessorFactory> factoryList = provider.getProcessorFactoryList();
int factoryCount = factoryList.size();
DetectorStreamBufferImpl buffer = new DetectorStreamBufferImpl(lastProcessor, null, this.byteArrayPool);
for (int factoryIndex = factoryCount - 1; factoryIndex >= 0; factoryIndex--) {
DetectorStreamProcessorFactory factory = factoryList.get(factoryIndex);
DetectorStreamProcessor processor = factory.createProcessor();
buffer = new DetectorStreamBufferImpl(processor, buffer, this.byteArrayPool);
}
this.firstBuffer = buffer;
} | [
"public",
"void",
"initialize",
"(",
"AbstractDetectorStreamProvider",
"provider",
",",
"DetectorStreamProcessor",
"lastProcessor",
")",
"{",
"List",
"<",
"DetectorStreamProcessorFactory",
">",
"factoryList",
"=",
"provider",
".",
"getProcessorFactoryList",
"(",
")",
";",... | This method initializes this class. It has to be called to complete the construction.
@param provider is the {@link net.sf.mmm.util.io.api.DetectorStreamProvider} creating this instance.
@param lastProcessor is the last {@link DetectorStreamProcessor} of the chain (the data-receiver). | [
"This",
"method",
"initializes",
"this",
"class",
".",
"It",
"has",
"to",
"be",
"called",
"to",
"complete",
"the",
"construction",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/io/src/main/java/net/sf/mmm/util/io/impl/ProcessableDetectorStream.java#L53-L64 | train |
paolorotolo/GittyReporter | library/src/main/java/com/github/paolorotolo/gitty_reporter/reportIssue.java | reportIssue.doInBackground | @Override
protected String doInBackground(String... params) {
// get the string from params, which is an array
String user = params[0];
String password = params[1];
String bugTitle = params[2];
String bugDescription = params[3];
String deviceInfo = params[4];
String targetUser = params[5];
String targetRepository = params[6];
String extraInfo = params[7];
String gitToken = params[8];
IssueService service;
if (user.equals("")) {
service = new IssueService(new GitHubClient().setOAuth2Token(gitToken));
} else {
service = new IssueService(new GitHubClient().setCredentials(user, password));
}
Issue issue = new Issue().setTitle(bugTitle).setBody(bugDescription + "\n\n" + deviceInfo + "\n\nExtra Info: " + extraInfo);
try {
issue = service.createIssue(targetUser, targetRepository, issue);
return "ok";
} catch (IOException e) {
e.printStackTrace();
return e.toString();
}
} | java | @Override
protected String doInBackground(String... params) {
// get the string from params, which is an array
String user = params[0];
String password = params[1];
String bugTitle = params[2];
String bugDescription = params[3];
String deviceInfo = params[4];
String targetUser = params[5];
String targetRepository = params[6];
String extraInfo = params[7];
String gitToken = params[8];
IssueService service;
if (user.equals("")) {
service = new IssueService(new GitHubClient().setOAuth2Token(gitToken));
} else {
service = new IssueService(new GitHubClient().setCredentials(user, password));
}
Issue issue = new Issue().setTitle(bugTitle).setBody(bugDescription + "\n\n" + deviceInfo + "\n\nExtra Info: " + extraInfo);
try {
issue = service.createIssue(targetUser, targetRepository, issue);
return "ok";
} catch (IOException e) {
e.printStackTrace();
return e.toString();
}
} | [
"@",
"Override",
"protected",
"String",
"doInBackground",
"(",
"String",
"...",
"params",
")",
"{",
"// get the string from params, which is an array",
"String",
"user",
"=",
"params",
"[",
"0",
"]",
";",
"String",
"password",
"=",
"params",
"[",
"1",
"]",
";",
... | This is run in a background thread | [
"This",
"is",
"run",
"in",
"a",
"background",
"thread"
] | 2315b224d15b29bce6497165a712be6f23b171e1 | https://github.com/paolorotolo/GittyReporter/blob/2315b224d15b29bce6497165a712be6f23b171e1/library/src/main/java/com/github/paolorotolo/gitty_reporter/reportIssue.java#L39-L68 | train |
paolorotolo/GittyReporter | library/src/main/java/com/github/paolorotolo/gitty_reporter/reportIssue.java | reportIssue.onPostExecute | @Override
protected void onPostExecute(String result) {
super.onPostExecute(result);
if (result.equals("ok")) {
progress.dismiss();
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
mActivity.showDoneAnimation();
} else {
((Activity) mContext).finish();
}
} else if (result.equals("org.eclipse.egit.github.core.client.RequestException: Bad credentials (401)")){
progress.dismiss();
new AlertDialog.Builder(mContext)
.setTitle("Unable to send report")
.setMessage("Wrong username or password or invalid access token.")
.setPositiveButton("Try again", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
// do nothing
}
})
.setIcon(R.drawable.gittyreporter_ic_mood_bad_black_24dp)
.show();
} else {
progress.dismiss();
new AlertDialog.Builder(mContext)
.setTitle("Unable to send report")
.setMessage("An unexpected error occurred. If the problem persists, contact the app developer.")
.setPositiveButton(android.R.string.ok, new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
((Activity)mContext).finish();
}
})
.setIcon(R.drawable.gittyreporter_ic_mood_bad_black_24dp)
.show();
}
} | java | @Override
protected void onPostExecute(String result) {
super.onPostExecute(result);
if (result.equals("ok")) {
progress.dismiss();
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
mActivity.showDoneAnimation();
} else {
((Activity) mContext).finish();
}
} else if (result.equals("org.eclipse.egit.github.core.client.RequestException: Bad credentials (401)")){
progress.dismiss();
new AlertDialog.Builder(mContext)
.setTitle("Unable to send report")
.setMessage("Wrong username or password or invalid access token.")
.setPositiveButton("Try again", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
// do nothing
}
})
.setIcon(R.drawable.gittyreporter_ic_mood_bad_black_24dp)
.show();
} else {
progress.dismiss();
new AlertDialog.Builder(mContext)
.setTitle("Unable to send report")
.setMessage("An unexpected error occurred. If the problem persists, contact the app developer.")
.setPositiveButton(android.R.string.ok, new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
((Activity)mContext).finish();
}
})
.setIcon(R.drawable.gittyreporter_ic_mood_bad_black_24dp)
.show();
}
} | [
"@",
"Override",
"protected",
"void",
"onPostExecute",
"(",
"String",
"result",
")",
"{",
"super",
".",
"onPostExecute",
"(",
"result",
")",
";",
"if",
"(",
"result",
".",
"equals",
"(",
"\"ok\"",
")",
")",
"{",
"progress",
".",
"dismiss",
"(",
")",
";... | This runs in UI when background thread finishes | [
"This",
"runs",
"in",
"UI",
"when",
"background",
"thread",
"finishes"
] | 2315b224d15b29bce6497165a712be6f23b171e1 | https://github.com/paolorotolo/GittyReporter/blob/2315b224d15b29bce6497165a712be6f23b171e1/library/src/main/java/com/github/paolorotolo/gitty_reporter/reportIssue.java#L77-L112 | train |
Berico-Technologies/CLAVIN-NERD | src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java | WorkflowDemoNERD.main | public static void main(String[] args) throws Exception {
getparseArticle();
geoparseUppercaseArticle();
resolveStanfordEntities();
// And we're done...
System.out.println("\n\"That's all folks!\"");
} | java | public static void main(String[] args) throws Exception {
getparseArticle();
geoparseUppercaseArticle();
resolveStanfordEntities();
// And we're done...
System.out.println("\n\"That's all folks!\"");
} | [
"public",
"static",
"void",
"main",
"(",
"String",
"[",
"]",
"args",
")",
"throws",
"Exception",
"{",
"getparseArticle",
"(",
")",
";",
"geoparseUppercaseArticle",
"(",
")",
";",
"resolveStanfordEntities",
"(",
")",
";",
"// And we're done...",
"System",
".",
... | Run this after installing and configuring CLAVIN to get a sense of
how to use it in a few different ways.
@param args not used
@throws Exception Error by contract | [
"Run",
"this",
"after",
"installing",
"and",
"configuring",
"CLAVIN",
"to",
"get",
"a",
"sense",
"of",
"how",
"to",
"use",
"it",
"in",
"a",
"few",
"different",
"ways",
"."
] | 96a51b841ce42f3e406f45d7949d31f73e5e12d5 | https://github.com/Berico-Technologies/CLAVIN-NERD/blob/96a51b841ce42f3e406f45d7949d31f73e5e12d5/src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java#L67-L75 | train |
Berico-Technologies/CLAVIN-NERD | src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java | WorkflowDemoNERD.getparseArticle | private static void getparseArticle() throws Exception {
// Instantiate a CLAVIN GeoParser using the StanfordExtractor
GeoParser parser = GeoParserFactory.getDefault("./IndexDirectory", new StanfordExtractor(), 1, 1, false);
// Unstructured text file about Somalia to be geoparsed
File inputFile = new File("src/test/resources/sample-docs/Somalia-doc.txt");
// Grab the contents of the text file as a String
String inputString = TextUtils.fileToString(inputFile);
// Parse location names in the text into geographic entities
List<ResolvedLocation> resolvedLocations = parser.parse(inputString);
// Display the ResolvedLocations found for the location names
for (ResolvedLocation resolvedLocation : resolvedLocations)
System.out.println(resolvedLocation);
} | java | private static void getparseArticle() throws Exception {
// Instantiate a CLAVIN GeoParser using the StanfordExtractor
GeoParser parser = GeoParserFactory.getDefault("./IndexDirectory", new StanfordExtractor(), 1, 1, false);
// Unstructured text file about Somalia to be geoparsed
File inputFile = new File("src/test/resources/sample-docs/Somalia-doc.txt");
// Grab the contents of the text file as a String
String inputString = TextUtils.fileToString(inputFile);
// Parse location names in the text into geographic entities
List<ResolvedLocation> resolvedLocations = parser.parse(inputString);
// Display the ResolvedLocations found for the location names
for (ResolvedLocation resolvedLocation : resolvedLocations)
System.out.println(resolvedLocation);
} | [
"private",
"static",
"void",
"getparseArticle",
"(",
")",
"throws",
"Exception",
"{",
"// Instantiate a CLAVIN GeoParser using the StanfordExtractor",
"GeoParser",
"parser",
"=",
"GeoParserFactory",
".",
"getDefault",
"(",
"\"./IndexDirectory\"",
",",
"new",
"StanfordExtracto... | Standard usage of CLAVIN. Instantiate a default GeoParser, give
it some text, check out the locations it extracts and resolves.
@throws Exception | [
"Standard",
"usage",
"of",
"CLAVIN",
".",
"Instantiate",
"a",
"default",
"GeoParser",
"give",
"it",
"some",
"text",
"check",
"out",
"the",
"locations",
"it",
"extracts",
"and",
"resolves",
"."
] | 96a51b841ce42f3e406f45d7949d31f73e5e12d5 | https://github.com/Berico-Technologies/CLAVIN-NERD/blob/96a51b841ce42f3e406f45d7949d31f73e5e12d5/src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java#L83-L100 | train |
Berico-Technologies/CLAVIN-NERD | src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java | WorkflowDemoNERD.resolveStanfordEntities | private static void resolveStanfordEntities() throws IOException, ClavinException {
/*#####################################################################
*
* Start with Stanford NER -- no need to get CLAVIN involved for now.
*
*###################################################################*/
// instantiate Stanford NER entity extractor
InputStream mpis = WorkflowDemoNERD.class.getClassLoader().getResourceAsStream("models/english.all.3class.distsim.prop");
Properties mp = new Properties();
mp.load(mpis);
AbstractSequenceClassifier<CoreMap> namedEntityRecognizer =
CRFClassifier.getJarClassifier("/models/english.all.3class.distsim.crf.ser.gz", mp);
// Unstructured text file about Somalia to be geoparsed
File inputFile = new File("src/test/resources/sample-docs/Somalia-doc.txt");
// Grab the contents of the text file as a String
String inputString = TextUtils.fileToString(inputFile);
// extract entities from input text using Stanford NER
List<Triple<String, Integer, Integer>> entitiesFromNER = namedEntityRecognizer.classifyToCharacterOffsets(inputString);
/*#####################################################################
*
* Now, CLAVIN comes into play...
*
*###################################################################*/
// convert Stanford NER output to ClavinLocationResolver input
List<LocationOccurrence> locationsForCLAVIN = convertNERtoCLAVIN(entitiesFromNER, inputString);
// instantiate the CLAVIN location resolver
ClavinLocationResolver clavinLocationResolver = new ClavinLocationResolver(new LuceneGazetteer(new File("./IndexDirectory")));
// resolve location entities extracted from input text
List<ResolvedLocation> resolvedLocations = clavinLocationResolver.resolveLocations(locationsForCLAVIN, 1, 1, false);
// Display the ResolvedLocations found for the location names
for (ResolvedLocation resolvedLocation : resolvedLocations)
System.out.println(resolvedLocation);
} | java | private static void resolveStanfordEntities() throws IOException, ClavinException {
/*#####################################################################
*
* Start with Stanford NER -- no need to get CLAVIN involved for now.
*
*###################################################################*/
// instantiate Stanford NER entity extractor
InputStream mpis = WorkflowDemoNERD.class.getClassLoader().getResourceAsStream("models/english.all.3class.distsim.prop");
Properties mp = new Properties();
mp.load(mpis);
AbstractSequenceClassifier<CoreMap> namedEntityRecognizer =
CRFClassifier.getJarClassifier("/models/english.all.3class.distsim.crf.ser.gz", mp);
// Unstructured text file about Somalia to be geoparsed
File inputFile = new File("src/test/resources/sample-docs/Somalia-doc.txt");
// Grab the contents of the text file as a String
String inputString = TextUtils.fileToString(inputFile);
// extract entities from input text using Stanford NER
List<Triple<String, Integer, Integer>> entitiesFromNER = namedEntityRecognizer.classifyToCharacterOffsets(inputString);
/*#####################################################################
*
* Now, CLAVIN comes into play...
*
*###################################################################*/
// convert Stanford NER output to ClavinLocationResolver input
List<LocationOccurrence> locationsForCLAVIN = convertNERtoCLAVIN(entitiesFromNER, inputString);
// instantiate the CLAVIN location resolver
ClavinLocationResolver clavinLocationResolver = new ClavinLocationResolver(new LuceneGazetteer(new File("./IndexDirectory")));
// resolve location entities extracted from input text
List<ResolvedLocation> resolvedLocations = clavinLocationResolver.resolveLocations(locationsForCLAVIN, 1, 1, false);
// Display the ResolvedLocations found for the location names
for (ResolvedLocation resolvedLocation : resolvedLocations)
System.out.println(resolvedLocation);
} | [
"private",
"static",
"void",
"resolveStanfordEntities",
"(",
")",
"throws",
"IOException",
",",
"ClavinException",
"{",
"/*#####################################################################\n *\n * Start with Stanford NER -- no need to get CLAVIN involved for now.\n ... | Sometimes, you might already be using Stanford NER elsewhere in
your application, and you'd like to just pass the output from
Stanford NER directly into CLAVIN, without having to re-run the
input through Stanford NER just to use CLAVIN. This example
shows you how to very easily do exactly that.
@throws IOException
@throws ClavinException | [
"Sometimes",
"you",
"might",
"already",
"be",
"using",
"Stanford",
"NER",
"elsewhere",
"in",
"your",
"application",
"and",
"you",
"d",
"like",
"to",
"just",
"pass",
"the",
"output",
"from",
"Stanford",
"NER",
"directly",
"into",
"CLAVIN",
"without",
"having",
... | 96a51b841ce42f3e406f45d7949d31f73e5e12d5 | https://github.com/Berico-Technologies/CLAVIN-NERD/blob/96a51b841ce42f3e406f45d7949d31f73e5e12d5/src/main/java/com/bericotech/clavin/nerd/WorkflowDemoNERD.java#L137-L179 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java | DependencyList.getDependentFeatures | public Set<String> getDependentFeatures() throws IOException {
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "getDependentFeatures"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName);
}
if (!initialized) {
initialize();
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName, dependentFeatures);
}
return dependentFeatures;
} | java | public Set<String> getDependentFeatures() throws IOException {
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "getDependentFeatures"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName);
}
if (!initialized) {
initialize();
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName, dependentFeatures);
}
return dependentFeatures;
} | [
"public",
"Set",
"<",
"String",
">",
"getDependentFeatures",
"(",
")",
"throws",
"IOException",
"{",
"final",
"boolean",
"entryExitLogging",
"=",
"log",
".",
"isLoggable",
"(",
"Level",
".",
"FINER",
")",
";",
"final",
"String",
"methodName",
"=",
"\"getDepend... | Returns the set of features that were discovered when evaluating has!
plugin expressions or aliases when expanding the dependencies. This
information may be required by the cache manager in order to properly
idenify cached responses.
@return The set of discovered feature names.
@throws IOException | [
"Returns",
"the",
"set",
"of",
"features",
"that",
"were",
"discovered",
"when",
"evaluating",
"has!",
"plugin",
"expressions",
"or",
"aliases",
"when",
"expanding",
"the",
"dependencies",
".",
"This",
"information",
"may",
"be",
"required",
"by",
"the",
"cache"... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java#L288-L301 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java | DependencyList.setLabel | public void setLabel(String label) {
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "setLabel"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName, new Object[]{label});
}
this.label = label;
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | java | public void setLabel(String label) {
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "setLabel"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName, new Object[]{label});
}
this.label = label;
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | [
"public",
"void",
"setLabel",
"(",
"String",
"label",
")",
"{",
"final",
"boolean",
"entryExitLogging",
"=",
"log",
".",
"isLoggable",
"(",
"Level",
".",
"FINER",
")",
";",
"final",
"String",
"methodName",
"=",
"\"setLabel\"",
";",
"//$NON-NLS-1$\r",
"if",
"... | Associates an arbitrary text string with this object.
@param label The string to associate with this object | [
"Associates",
"an",
"arbitrary",
"text",
"string",
"with",
"this",
"object",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java#L308-L318 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java | DependencyList.initialize | synchronized void initialize() throws IOException {
if (initialized) {
return;
}
final boolean traceLogging = log.isLoggable(Level.FINEST);
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "initialize"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName);
}
// A call to getDeclaredDependencies is made to ensure that the time stamp calculated to mark the beginning of finding the expanded
//dependencies is done only after forming the dependency map is completed.
aggr.getDependencies().getDelcaredDependencies("require"); //$NON-NLS-1$
long stamp = aggr.getDependencies().getLastModified(); // save time stamp
try {
explicitDeps = new ModuleDeps();
expandedDeps = new ModuleDeps();
if (traceLogging) {
log.finest("dependent features = " + dependentFeatures); //$NON-NLS-1$
}
for (String name : names) {
processDep(name, explicitDeps, null, new HashSet<String>(), null);
}
// Now expand the explicit dependencies
resolveAliases = true;
for (Map.Entry<String, ModuleDepInfo> entry : explicitDeps.entrySet()) {
expandDependencies(entry.getKey(), entry.getValue(), expandedDeps);
}
expandedDeps.keySet().removeAll(IDependencies.excludes);
// Resolve feature conditionals based on the specified feature set. This is
// necessary because we don't specify features when doing has! plugin branching
// so that dependent features that are discovered by has! plugin branching don't
// vary based on the specified features.
explicitDeps.resolveWith(features, coerceUndefinedToFalse);
expandedDeps.resolveWith(features, coerceUndefinedToFalse);
if (traceLogging) {
log.finest("explicitDeps after applying features: " + explicitDeps); //$NON-NLS-1$
log.finest("expandedDeps after applying features: " + expandedDeps); //$NON-NLS-1$
}
if (stamp != aggr.getDependencies().getLastModified()) {
// if time stamp has changed, that means that dependencies have been
// updated while we were processing them. Throw an exception to avoid
// caching the response with possibly corrupt dependency info.
throw new IllegalStateException("" + stamp + "!=" + aggr.getDependencies().getLastModified()); //$NON-NLS-1$ //$NON-NLS-2$
}
} finally {
initialized = true;
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | java | synchronized void initialize() throws IOException {
if (initialized) {
return;
}
final boolean traceLogging = log.isLoggable(Level.FINEST);
final boolean entryExitLogging = log.isLoggable(Level.FINER);
final String methodName = "initialize"; //$NON-NLS-1$
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName);
}
// A call to getDeclaredDependencies is made to ensure that the time stamp calculated to mark the beginning of finding the expanded
//dependencies is done only after forming the dependency map is completed.
aggr.getDependencies().getDelcaredDependencies("require"); //$NON-NLS-1$
long stamp = aggr.getDependencies().getLastModified(); // save time stamp
try {
explicitDeps = new ModuleDeps();
expandedDeps = new ModuleDeps();
if (traceLogging) {
log.finest("dependent features = " + dependentFeatures); //$NON-NLS-1$
}
for (String name : names) {
processDep(name, explicitDeps, null, new HashSet<String>(), null);
}
// Now expand the explicit dependencies
resolveAliases = true;
for (Map.Entry<String, ModuleDepInfo> entry : explicitDeps.entrySet()) {
expandDependencies(entry.getKey(), entry.getValue(), expandedDeps);
}
expandedDeps.keySet().removeAll(IDependencies.excludes);
// Resolve feature conditionals based on the specified feature set. This is
// necessary because we don't specify features when doing has! plugin branching
// so that dependent features that are discovered by has! plugin branching don't
// vary based on the specified features.
explicitDeps.resolveWith(features, coerceUndefinedToFalse);
expandedDeps.resolveWith(features, coerceUndefinedToFalse);
if (traceLogging) {
log.finest("explicitDeps after applying features: " + explicitDeps); //$NON-NLS-1$
log.finest("expandedDeps after applying features: " + expandedDeps); //$NON-NLS-1$
}
if (stamp != aggr.getDependencies().getLastModified()) {
// if time stamp has changed, that means that dependencies have been
// updated while we were processing them. Throw an exception to avoid
// caching the response with possibly corrupt dependency info.
throw new IllegalStateException("" + stamp + "!=" + aggr.getDependencies().getLastModified()); //$NON-NLS-1$ //$NON-NLS-2$
}
} finally {
initialized = true;
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | [
"synchronized",
"void",
"initialize",
"(",
")",
"throws",
"IOException",
"{",
"if",
"(",
"initialized",
")",
"{",
"return",
";",
"}",
"final",
"boolean",
"traceLogging",
"=",
"log",
".",
"isLoggable",
"(",
"Level",
".",
"FINEST",
")",
";",
"final",
"boolea... | Internal method called to resolve dependencies the first time one of the
accessor methods is called. This is done in order to make object creation
light-weight and to avoid the possibility of throwing an exception in the
object constructor.
@throws IOException | [
"Internal",
"method",
"called",
"to",
"resolve",
"dependencies",
"the",
"first",
"time",
"one",
"of",
"the",
"accessor",
"methods",
"is",
"called",
".",
"This",
"is",
"done",
"in",
"order",
"to",
"make",
"object",
"creation",
"light",
"-",
"weight",
"and",
... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java#L352-L406 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java | DependencyList.expandDependencies | void expandDependencies(String name, ModuleDepInfo depInfo, ModuleDeps expandedDependencies) throws IOException {
final String methodName = "expandDependencies"; //$NON-NLS-1$
final boolean traceLogging = log.isLoggable(Level.FINEST);
final boolean entryExitLogging = log.isLoggable(Level.FINER);
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName, new Object[]{name, depInfo, expandedDependencies});
}
List<String> dependencies = new ArrayList<String>();
List<String> declaredDeps = aggr.getDependencies().getDelcaredDependencies(name);
if (traceLogging) {
log.finest("declaredDeps for " + name + " = " + declaredDeps); //$NON-NLS-1$ //$NON-NLS-2$
}
if (declaredDeps != null) {
dependencies.addAll(declaredDeps);
}
if (includeRequireDeps) {
List<String> requireDeps = aggr.getDependencies().getRequireDependencies(name);
if (requireDeps != null && requireDeps.size() > 0) {
if (traceLogging) {
log.finest("requireDeps for " + name + " = " + requireDeps); //$NON-NLS-1$ //$NON-NLS-2$
}
dependencies.addAll(requireDeps);
}
}
if (dependencies != null) {
for (String dep : dependencies) {
ModuleDeps moduleDeps = new ModuleDeps();
processDep(dep, moduleDeps, depInfo, new HashSet<String>(), name);
for (Map.Entry<String, ModuleDepInfo> entry : moduleDeps.entrySet()) {
if (traceLogging) {
log.finest("Adding " + entry + " to expandedDependencies"); //$NON-NLS-1$ //$NON-NLS-2$
}
if (expandedDependencies.add(entry.getKey(), new ModuleDepInfo(entry.getValue()))) {
expandDependencies(entry.getKey(), entry.getValue(), expandedDependencies);
}
}
}
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | java | void expandDependencies(String name, ModuleDepInfo depInfo, ModuleDeps expandedDependencies) throws IOException {
final String methodName = "expandDependencies"; //$NON-NLS-1$
final boolean traceLogging = log.isLoggable(Level.FINEST);
final boolean entryExitLogging = log.isLoggable(Level.FINER);
if (entryExitLogging) {
log.entering(DependencyList.class.getName(), methodName, new Object[]{name, depInfo, expandedDependencies});
}
List<String> dependencies = new ArrayList<String>();
List<String> declaredDeps = aggr.getDependencies().getDelcaredDependencies(name);
if (traceLogging) {
log.finest("declaredDeps for " + name + " = " + declaredDeps); //$NON-NLS-1$ //$NON-NLS-2$
}
if (declaredDeps != null) {
dependencies.addAll(declaredDeps);
}
if (includeRequireDeps) {
List<String> requireDeps = aggr.getDependencies().getRequireDependencies(name);
if (requireDeps != null && requireDeps.size() > 0) {
if (traceLogging) {
log.finest("requireDeps for " + name + " = " + requireDeps); //$NON-NLS-1$ //$NON-NLS-2$
}
dependencies.addAll(requireDeps);
}
}
if (dependencies != null) {
for (String dep : dependencies) {
ModuleDeps moduleDeps = new ModuleDeps();
processDep(dep, moduleDeps, depInfo, new HashSet<String>(), name);
for (Map.Entry<String, ModuleDepInfo> entry : moduleDeps.entrySet()) {
if (traceLogging) {
log.finest("Adding " + entry + " to expandedDependencies"); //$NON-NLS-1$ //$NON-NLS-2$
}
if (expandedDependencies.add(entry.getKey(), new ModuleDepInfo(entry.getValue()))) {
expandDependencies(entry.getKey(), entry.getValue(), expandedDependencies);
}
}
}
}
if (entryExitLogging) {
log.exiting(DependencyList.class.getName(), methodName);
}
} | [
"void",
"expandDependencies",
"(",
"String",
"name",
",",
"ModuleDepInfo",
"depInfo",
",",
"ModuleDeps",
"expandedDependencies",
")",
"throws",
"IOException",
"{",
"final",
"String",
"methodName",
"=",
"\"expandDependencies\"",
";",
"//$NON-NLS-1$\r",
"final",
"boolean"... | Expands the nested dependencies for the specified module
@param name
the name of the module who's dependencies are to be expanded.
Alias name resolution and has! loader plugin branching is
assumed to have been already performed.
@param depInfo
the {@link ModuleDepInfo} for the module, obtained from processing
the module's explicit dependencies
@param expandedDependencies
Output - the map that the expanded dependencies are written to.
@throws IOException | [
"Expands",
"the",
"nested",
"dependencies",
"for",
"the",
"specified",
"module"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/DependencyList.java#L422-L464 | train |
btrplace/scheduler | examples/src/main/java/org/btrplace/examples/SolverTuning.java | SolverTuning.makeModel | private Model makeModel() {
Model mo = new DefaultModel();
Mapping mapping = mo.getMapping();
int nbNodes = 300;
int nbVMs = 6 * nbNodes;
//Memory usage/consumption in GB
ShareableResource rcMem = new ShareableResource("mem");
//A resource representing the bandwidth usage/consumption of the elements in GB
ShareableResource rcBW = new ShareableResource("bandwidth");
nodes = new ArrayList<>(nbNodes);
for (int i = 0; i < nbNodes; i++) {
Node n = mo.newNode();
nodes.add(n);
mapping.addOnlineNode(n);
//Each node provides a 10GB bandwidth and 32 GB RAM to its VMs
rcBW.setCapacity(n, 10);
rcMem.setCapacity(n, 32);
}
for (int i = 0; i < nbVMs; i++) {
VM vm = mo.newVM();
//Basic balancing through a round-robin: 6 VMs per node
mapping.addRunningVM(vm, nodes.get(i % nodes.size()));
//Each VM uses currently a 1GB bandwidth and 1,2 or 3 GB RAM
rcBW.setConsumption(vm, 1);
rcMem.setConsumption(vm, i % 5 + 1);
}
mo.attach(rcBW);
mo.attach(rcMem);
return mo;
} | java | private Model makeModel() {
Model mo = new DefaultModel();
Mapping mapping = mo.getMapping();
int nbNodes = 300;
int nbVMs = 6 * nbNodes;
//Memory usage/consumption in GB
ShareableResource rcMem = new ShareableResource("mem");
//A resource representing the bandwidth usage/consumption of the elements in GB
ShareableResource rcBW = new ShareableResource("bandwidth");
nodes = new ArrayList<>(nbNodes);
for (int i = 0; i < nbNodes; i++) {
Node n = mo.newNode();
nodes.add(n);
mapping.addOnlineNode(n);
//Each node provides a 10GB bandwidth and 32 GB RAM to its VMs
rcBW.setCapacity(n, 10);
rcMem.setCapacity(n, 32);
}
for (int i = 0; i < nbVMs; i++) {
VM vm = mo.newVM();
//Basic balancing through a round-robin: 6 VMs per node
mapping.addRunningVM(vm, nodes.get(i % nodes.size()));
//Each VM uses currently a 1GB bandwidth and 1,2 or 3 GB RAM
rcBW.setConsumption(vm, 1);
rcMem.setConsumption(vm, i % 5 + 1);
}
mo.attach(rcBW);
mo.attach(rcMem);
return mo;
} | [
"private",
"Model",
"makeModel",
"(",
")",
"{",
"Model",
"mo",
"=",
"new",
"DefaultModel",
"(",
")",
";",
"Mapping",
"mapping",
"=",
"mo",
".",
"getMapping",
"(",
")",
";",
"int",
"nbNodes",
"=",
"300",
";",
"int",
"nbVMs",
"=",
"6",
"*",
"nbNodes",
... | A default model with 500 nodes hosting 3000 VMs.
6 VMs per node
Each node has a 10GB network interface and 32 GB RAM
Each VM consumes 1GB Bandwidth and between 1 to 5 GB RAM | [
"A",
"default",
"model",
"with",
"500",
"nodes",
"hosting",
"3000",
"VMs",
".",
"6",
"VMs",
"per",
"node",
"Each",
"node",
"has",
"a",
"10GB",
"network",
"interface",
"and",
"32",
"GB",
"RAM",
"Each",
"VM",
"consumes",
"1GB",
"Bandwidth",
"and",
"between... | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/examples/src/main/java/org/btrplace/examples/SolverTuning.java#L117-L155 | train |
btrplace/scheduler | api/src/main/java/org/btrplace/plan/event/BootNode.java | BootNode.applyAction | @Override
public boolean applyAction(Model c) {
if (c.getMapping().isOffline(node)) {
c.getMapping().addOnlineNode(node);
return true;
}
return false;
} | java | @Override
public boolean applyAction(Model c) {
if (c.getMapping().isOffline(node)) {
c.getMapping().addOnlineNode(node);
return true;
}
return false;
} | [
"@",
"Override",
"public",
"boolean",
"applyAction",
"(",
"Model",
"c",
")",
"{",
"if",
"(",
"c",
".",
"getMapping",
"(",
")",
".",
"isOffline",
"(",
"node",
")",
")",
"{",
"c",
".",
"getMapping",
"(",
")",
".",
"addOnlineNode",
"(",
"node",
")",
"... | Put the node online on the model.
@param c the model to alter
@return {@code true} iff the node was offline and is now online | [
"Put",
"the",
"node",
"online",
"on",
"the",
"model",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/api/src/main/java/org/btrplace/plan/event/BootNode.java#L86-L93 | train |
btrplace/scheduler | api/src/main/java/org/btrplace/plan/event/ShutdownVM.java | ShutdownVM.applyAction | @Override
public boolean applyAction(Model m) {
Mapping map = m.getMapping();
if (map.isOnline(node) &&
map.isRunning(vm) &&
map.getVMLocation(vm).equals(node)) {
map.addReadyVM(vm);
return true;
}
return false;
} | java | @Override
public boolean applyAction(Model m) {
Mapping map = m.getMapping();
if (map.isOnline(node) &&
map.isRunning(vm) &&
map.getVMLocation(vm).equals(node)) {
map.addReadyVM(vm);
return true;
}
return false;
} | [
"@",
"Override",
"public",
"boolean",
"applyAction",
"(",
"Model",
"m",
")",
"{",
"Mapping",
"map",
"=",
"m",
".",
"getMapping",
"(",
")",
";",
"if",
"(",
"map",
".",
"isOnline",
"(",
"node",
")",
"&&",
"map",
".",
"isRunning",
"(",
"vm",
")",
"&&"... | Apply the action by removing the virtual machine from the model.
@param m the model to alter
@return {@code true} | [
"Apply",
"the",
"action",
"by",
"removing",
"the",
"virtual",
"machine",
"from",
"the",
"model",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/api/src/main/java/org/btrplace/plan/event/ShutdownVM.java#L58-L68 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/SignalUtil.java | SignalUtil.formatMessage | static String formatMessage(String fmt, Object[] args) {
MessageFormat formatter = new MessageFormat(fmt);
Format[] formats = formatter.getFormatsByArgumentIndex();
StringBuffer msg = new StringBuffer();
formatter.format(args, msg, null);
if (args.length > formats.length) {
// We have extra arguements that were not included in the format string.
// Append them to the result
for (int i = formats.length; i < args.length; i++) {
msg.append(i == formats.length ? ": " : ", ") //$NON-NLS-1$ //$NON-NLS-2$
.append(args[i].toString());
}
}
return msg.toString();
} | java | static String formatMessage(String fmt, Object[] args) {
MessageFormat formatter = new MessageFormat(fmt);
Format[] formats = formatter.getFormatsByArgumentIndex();
StringBuffer msg = new StringBuffer();
formatter.format(args, msg, null);
if (args.length > formats.length) {
// We have extra arguements that were not included in the format string.
// Append them to the result
for (int i = formats.length; i < args.length; i++) {
msg.append(i == formats.length ? ": " : ", ") //$NON-NLS-1$ //$NON-NLS-2$
.append(args[i].toString());
}
}
return msg.toString();
} | [
"static",
"String",
"formatMessage",
"(",
"String",
"fmt",
",",
"Object",
"[",
"]",
"args",
")",
"{",
"MessageFormat",
"formatter",
"=",
"new",
"MessageFormat",
"(",
"fmt",
")",
";",
"Format",
"[",
"]",
"formats",
"=",
"formatter",
".",
"getFormatsByArgument... | Formats the specified string using the specified arguments. If the argument array contains
more elements than the format string can accommodate, then the additional arguments are
appended to the end of the formatted string.
@param fmt
the format string
@param args
the argument array for the replaceable parameters in the format string
@return the formatted string | [
"Formats",
"the",
"specified",
"string",
"using",
"the",
"specified",
"arguments",
".",
"If",
"the",
"argument",
"array",
"contains",
"more",
"elements",
"than",
"the",
"format",
"string",
"can",
"accommodate",
"then",
"the",
"additional",
"arguments",
"are",
"a... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/SignalUtil.java#L61-L75 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/SignalUtil.java | SignalUtil.logResuming | static void logResuming(String callerClass, String callerMethod, Object waitObj, long start) {
long elapsed = (System.currentTimeMillis() - start)/1000;
log.logp(Level.WARNING, callerClass, callerMethod,
Messages.SignalUtil_2, new Object[]{Thread.currentThread().getId(), elapsed, waitObj});
} | java | static void logResuming(String callerClass, String callerMethod, Object waitObj, long start) {
long elapsed = (System.currentTimeMillis() - start)/1000;
log.logp(Level.WARNING, callerClass, callerMethod,
Messages.SignalUtil_2, new Object[]{Thread.currentThread().getId(), elapsed, waitObj});
} | [
"static",
"void",
"logResuming",
"(",
"String",
"callerClass",
",",
"String",
"callerMethod",
",",
"Object",
"waitObj",
",",
"long",
"start",
")",
"{",
"long",
"elapsed",
"=",
"(",
"System",
".",
"currentTimeMillis",
"(",
")",
"-",
"start",
")",
"/",
"1000... | Logs a warning level message indicating that a thread which has previously been reported
as stuck is now resuming.
@param callerClass
the class name of the caller
@param callerMethod
the method name of the caller
@param waitObj
the object that is being waited on
@param start
the time that the wait began | [
"Logs",
"a",
"warning",
"level",
"message",
"indicating",
"that",
"a",
"thread",
"which",
"has",
"previously",
"been",
"reported",
"as",
"stuck",
"is",
"now",
"resuming",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/SignalUtil.java#L162-L166 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.writeResponse | protected boolean writeResponse(InputStream in, HttpServletRequest request, HttpServletResponse response) throws IOException {
final String sourceMethod = "writeResponse"; //$NON-NLS-1$
final boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{in, response});
}
boolean success = true;
int n = 0;
byte[] buffer = new byte[4096];
OutputStream out = response.getOutputStream();
try {
while (-1 != (n = in.read(buffer))) {
try {
out.write(buffer, 0, n);
} catch (IOException e) {
// Error writing to the output stream, probably because the connection
// was closed by the client. Don't attempt to write anything else to
// the response and just log the error using FINE level logging.
logException(request, Level.FINE, sourceMethod, e);
success = false;
break;
}
}
} finally {
IOUtils.closeQuietly(in);
IOUtils.closeQuietly(out);
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod, success);
}
return success;
} | java | protected boolean writeResponse(InputStream in, HttpServletRequest request, HttpServletResponse response) throws IOException {
final String sourceMethod = "writeResponse"; //$NON-NLS-1$
final boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{in, response});
}
boolean success = true;
int n = 0;
byte[] buffer = new byte[4096];
OutputStream out = response.getOutputStream();
try {
while (-1 != (n = in.read(buffer))) {
try {
out.write(buffer, 0, n);
} catch (IOException e) {
// Error writing to the output stream, probably because the connection
// was closed by the client. Don't attempt to write anything else to
// the response and just log the error using FINE level logging.
logException(request, Level.FINE, sourceMethod, e);
success = false;
break;
}
}
} finally {
IOUtils.closeQuietly(in);
IOUtils.closeQuietly(out);
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod, success);
}
return success;
} | [
"protected",
"boolean",
"writeResponse",
"(",
"InputStream",
"in",
",",
"HttpServletRequest",
"request",
",",
"HttpServletResponse",
"response",
")",
"throws",
"IOException",
"{",
"final",
"String",
"sourceMethod",
"=",
"\"writeResponse\"",
";",
"//$NON-NLS-1$\r",
"fina... | Writes the response to the response object. IOExceptions that occur when writing to the
response output stream are not propagated, but are handled internally. Such exceptions
are assumed to be caused by the client closing the connection and are not real errors.
@param in
the input stream.
@param request
the http request object
@param response
the http response object
@return true if all of the data from the input stream was written to the response
@throws IOException | [
"Writes",
"the",
"response",
"to",
"the",
"response",
"object",
".",
"IOExceptions",
"that",
"occur",
"when",
"writing",
"to",
"the",
"response",
"output",
"stream",
"are",
"not",
"propagated",
"but",
"are",
"handled",
"internally",
".",
"Such",
"exceptions",
... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L917-L948 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.logException | void logException(HttpServletRequest req, Level level, String sourceMethod, Throwable t) {
if (log.isLoggable(level)) {
StringBuffer sb = new StringBuffer();
// add the request URI and query args
String uri = req.getRequestURI();
if (uri != null) {
sb.append(uri);
String queryArgs = req.getQueryString();
if (queryArgs != null) {
sb.append("?").append(queryArgs); //$NON-NLS-1$
}
}
// append the exception class name
sb.append(": ").append(t.getClass().getName()); //$NON-NLS-1$
// append the exception message
sb.append(" - ").append(t.getMessage() != null ? t.getMessage() : "null"); //$NON-NLS-1$//$NON-NLS-2$
log.logp(level, AbstractAggregatorImpl.class.getName(), sourceMethod, sb.toString(), t);
}
} | java | void logException(HttpServletRequest req, Level level, String sourceMethod, Throwable t) {
if (log.isLoggable(level)) {
StringBuffer sb = new StringBuffer();
// add the request URI and query args
String uri = req.getRequestURI();
if (uri != null) {
sb.append(uri);
String queryArgs = req.getQueryString();
if (queryArgs != null) {
sb.append("?").append(queryArgs); //$NON-NLS-1$
}
}
// append the exception class name
sb.append(": ").append(t.getClass().getName()); //$NON-NLS-1$
// append the exception message
sb.append(" - ").append(t.getMessage() != null ? t.getMessage() : "null"); //$NON-NLS-1$//$NON-NLS-2$
log.logp(level, AbstractAggregatorImpl.class.getName(), sourceMethod, sb.toString(), t);
}
} | [
"void",
"logException",
"(",
"HttpServletRequest",
"req",
",",
"Level",
"level",
",",
"String",
"sourceMethod",
",",
"Throwable",
"t",
")",
"{",
"if",
"(",
"log",
".",
"isLoggable",
"(",
"level",
")",
")",
"{",
"StringBuffer",
"sb",
"=",
"new",
"StringBuff... | Formats and logs an exception log message including the request url, query args, the exception class
name and exception message.
@param req
the http servlet request
@param level
the logging level
@param sourceMethod
the calling method name
@param t
the exception | [
"Formats",
"and",
"logs",
"an",
"exception",
"log",
"message",
"including",
"the",
"request",
"url",
"query",
"args",
"the",
"exception",
"class",
"name",
"and",
"exception",
"message",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L963-L981 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.getPropValue | public String getPropValue (String propName){
String propValue = null;
propValue = System.getProperty(propName);
IServiceReference[] refs = null;
if (propValue == null) {
try {
refs = getPlatformServices().getServiceReferences(IVariableResolver.class.getName(), "(name=" + getName() + ")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference sr : refs) {
IVariableResolver resolver = (IVariableResolver)getPlatformServices().getService(sr);
try {
propValue = resolver.resolve(propName);
if (propValue != null) {
break;
}
} finally {
getPlatformServices().ungetService(sr);
}
}
}
}
return propValue;
} | java | public String getPropValue (String propName){
String propValue = null;
propValue = System.getProperty(propName);
IServiceReference[] refs = null;
if (propValue == null) {
try {
refs = getPlatformServices().getServiceReferences(IVariableResolver.class.getName(), "(name=" + getName() + ")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference sr : refs) {
IVariableResolver resolver = (IVariableResolver)getPlatformServices().getService(sr);
try {
propValue = resolver.resolve(propName);
if (propValue != null) {
break;
}
} finally {
getPlatformServices().ungetService(sr);
}
}
}
}
return propValue;
} | [
"public",
"String",
"getPropValue",
"(",
"String",
"propName",
")",
"{",
"String",
"propValue",
"=",
"null",
";",
"propValue",
"=",
"System",
".",
"getProperty",
"(",
"propName",
")",
";",
"IServiceReference",
"[",
"]",
"refs",
"=",
"null",
";",
"if",
"(",... | Returns the value for the property name used by the aggregator. By default,
it returns the system property indicated by the specified key. This method may be overriden by the platform
dependent implementation of the aggregator.
@param propName
@return Value of the property | [
"Returns",
"the",
"value",
"for",
"the",
"property",
"name",
"used",
"by",
"the",
"aggregator",
".",
"By",
"default",
"it",
"returns",
"the",
"system",
"property",
"indicated",
"by",
"the",
"specified",
"key",
".",
"This",
"method",
"may",
"be",
"overriden",... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1089-L1116 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.notifyRequestListeners | protected void notifyRequestListeners(RequestNotifierAction action, HttpServletRequest req, HttpServletResponse resp) throws IOException {
// notify any listeners that the config has been updated
IServiceReference[] refs = null;
try {
refs = getPlatformServices().getServiceReferences(IRequestListener.class.getName(), "(name="+getName()+")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference ref : refs) {
IRequestListener listener = (IRequestListener)getPlatformServices().getService(ref);
try {
if (action == RequestNotifierAction.start) {
listener.startRequest(req, resp);
} else {
listener.endRequest(req, resp);
}
} finally {
getPlatformServices().ungetService(ref);
}
}
}
} | java | protected void notifyRequestListeners(RequestNotifierAction action, HttpServletRequest req, HttpServletResponse resp) throws IOException {
// notify any listeners that the config has been updated
IServiceReference[] refs = null;
try {
refs = getPlatformServices().getServiceReferences(IRequestListener.class.getName(), "(name="+getName()+")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference ref : refs) {
IRequestListener listener = (IRequestListener)getPlatformServices().getService(ref);
try {
if (action == RequestNotifierAction.start) {
listener.startRequest(req, resp);
} else {
listener.endRequest(req, resp);
}
} finally {
getPlatformServices().ungetService(ref);
}
}
}
} | [
"protected",
"void",
"notifyRequestListeners",
"(",
"RequestNotifierAction",
"action",
",",
"HttpServletRequest",
"req",
",",
"HttpServletResponse",
"resp",
")",
"throws",
"IOException",
"{",
"// notify any listeners that the config has been updated\r",
"IServiceReference",
"[",
... | Calls the registered request notifier listeners.
@param action The request action (start or end)
@param req The request object.
@param resp The response object.
@throws IOException | [
"Calls",
"the",
"registered",
"request",
"notifier",
"listeners",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1175-L1199 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.notifyConfigListeners | protected void notifyConfigListeners(long seq) throws IOException {
IServiceReference[] refs = null;
try {
refs = getPlatformServices().getServiceReferences(IConfigListener.class.getName(), "(name="+getName()+")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference ref : refs) {
IConfigListener listener =
(IConfigListener)getPlatformServices().getService(ref);
if (listener != null) {
try {
listener.configLoaded(config, seq);
} catch (Throwable t) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, t.getMessage(), t);
}
throw new IOException(t);
} finally {
getPlatformServices().ungetService(ref);
}
}
}
}
} | java | protected void notifyConfigListeners(long seq) throws IOException {
IServiceReference[] refs = null;
try {
refs = getPlatformServices().getServiceReferences(IConfigListener.class.getName(), "(name="+getName()+")"); //$NON-NLS-1$ //$NON-NLS-2$
} catch (PlatformServicesException e) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, e.getMessage(), e);
}
}
if (refs != null) {
for (IServiceReference ref : refs) {
IConfigListener listener =
(IConfigListener)getPlatformServices().getService(ref);
if (listener != null) {
try {
listener.configLoaded(config, seq);
} catch (Throwable t) {
if (log.isLoggable(Level.SEVERE)) {
log.log(Level.SEVERE, t.getMessage(), t);
}
throw new IOException(t);
} finally {
getPlatformServices().ungetService(ref);
}
}
}
}
} | [
"protected",
"void",
"notifyConfigListeners",
"(",
"long",
"seq",
")",
"throws",
"IOException",
"{",
"IServiceReference",
"[",
"]",
"refs",
"=",
"null",
";",
"try",
"{",
"refs",
"=",
"getPlatformServices",
"(",
")",
".",
"getServiceReferences",
"(",
"IConfigList... | Call the registered config change listeners
@param seq The change listener sequence number
@throws IOException | [
"Call",
"the",
"registered",
"config",
"change",
"listeners"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1207-L1235 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.registerExtension | protected void registerExtension(IAggregatorExtension ext, IAggregatorExtension before) {
final String sourceMethod = "registerExtension"; //$NON-NLS-1$
boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{ext, before});
}
// validate type
String id = ext.getExtensionPointId();
if (IHttpTransportExtensionPoint.ID.equals(id)) {
if (before != null) {
throw new IllegalArgumentException(before.getExtensionPointId());
}
httpTransportExtension = ext;
} else {
List<IAggregatorExtension> list;
if (IResourceFactoryExtensionPoint.ID.equals(id)) {
list = resourceFactoryExtensions;
} else if (IResourceConverterExtensionPoint.ID.equals(id)) {
list = resourceConverterExtensions;
} else if (IModuleBuilderExtensionPoint.ID.equals(id)) {
list = moduleBuilderExtensions;
} else if (IServiceProviderExtensionPoint.ID.equals(id)) {
list = serviceProviderExtensions;
} else {
throw new IllegalArgumentException(id);
}
if (before == null) {
list.add(ext);
} else {
// find the extension to insert the item in front of
boolean inserted = false;
for (int i = 0; i < list.size(); i++) {
if (list.get(i) == before) {
list.add(i, ext);
inserted = true;
break;
}
}
if (!inserted) {
throw new IllegalArgumentException();
}
}
// If this is a service provider extension then register the specified service with the
// OSGi service registry if an interface name is provided.
if (IServiceProviderExtensionPoint.ID.equals(id)) {
String interfaceName = ext.getAttribute(IServiceProviderExtensionPoint.SERVICE_ATTRIBUTE);
if (interfaceName != null) {
try {
Dictionary<String, String> props = new Hashtable<String, String>();
// Copy init-params from extension to service dictionary
Set<String> attributeNames = new HashSet<String>(ext.getAttributeNames());
attributeNames.removeAll(Arrays.asList(new String[]{"class", IServiceProviderExtensionPoint.SERVICE_ATTRIBUTE})); //$NON-NLS-1$
for (String propName : attributeNames) {
props.put(propName, ext.getAttribute(propName));
}
// Set name property to aggregator name
props.put("name", getName()); //$NON-NLS-1$
registrations.add(getPlatformServices().registerService(interfaceName, ext.getInstance(), props));
} catch (Exception e) {
if (log.isLoggable(Level.WARNING)) {
log.log(Level.WARNING, e.getMessage(), e);
}
}
}
}
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod);
}
} | java | protected void registerExtension(IAggregatorExtension ext, IAggregatorExtension before) {
final String sourceMethod = "registerExtension"; //$NON-NLS-1$
boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{ext, before});
}
// validate type
String id = ext.getExtensionPointId();
if (IHttpTransportExtensionPoint.ID.equals(id)) {
if (before != null) {
throw new IllegalArgumentException(before.getExtensionPointId());
}
httpTransportExtension = ext;
} else {
List<IAggregatorExtension> list;
if (IResourceFactoryExtensionPoint.ID.equals(id)) {
list = resourceFactoryExtensions;
} else if (IResourceConverterExtensionPoint.ID.equals(id)) {
list = resourceConverterExtensions;
} else if (IModuleBuilderExtensionPoint.ID.equals(id)) {
list = moduleBuilderExtensions;
} else if (IServiceProviderExtensionPoint.ID.equals(id)) {
list = serviceProviderExtensions;
} else {
throw new IllegalArgumentException(id);
}
if (before == null) {
list.add(ext);
} else {
// find the extension to insert the item in front of
boolean inserted = false;
for (int i = 0; i < list.size(); i++) {
if (list.get(i) == before) {
list.add(i, ext);
inserted = true;
break;
}
}
if (!inserted) {
throw new IllegalArgumentException();
}
}
// If this is a service provider extension then register the specified service with the
// OSGi service registry if an interface name is provided.
if (IServiceProviderExtensionPoint.ID.equals(id)) {
String interfaceName = ext.getAttribute(IServiceProviderExtensionPoint.SERVICE_ATTRIBUTE);
if (interfaceName != null) {
try {
Dictionary<String, String> props = new Hashtable<String, String>();
// Copy init-params from extension to service dictionary
Set<String> attributeNames = new HashSet<String>(ext.getAttributeNames());
attributeNames.removeAll(Arrays.asList(new String[]{"class", IServiceProviderExtensionPoint.SERVICE_ATTRIBUTE})); //$NON-NLS-1$
for (String propName : attributeNames) {
props.put(propName, ext.getAttribute(propName));
}
// Set name property to aggregator name
props.put("name", getName()); //$NON-NLS-1$
registrations.add(getPlatformServices().registerService(interfaceName, ext.getInstance(), props));
} catch (Exception e) {
if (log.isLoggable(Level.WARNING)) {
log.log(Level.WARNING, e.getMessage(), e);
}
}
}
}
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod);
}
} | [
"protected",
"void",
"registerExtension",
"(",
"IAggregatorExtension",
"ext",
",",
"IAggregatorExtension",
"before",
")",
"{",
"final",
"String",
"sourceMethod",
"=",
"\"registerExtension\"",
";",
"//$NON-NLS-1$\r",
"boolean",
"isTraceLogging",
"=",
"log",
".",
"isLogga... | Adds the specified extension to the list of registered extensions.
@param ext
The extension to add
@param before
Reference to an existing extension that the
new extension should be placed before in the list. If null,
then the new extension is added to the end of the list | [
"Adds",
"the",
"specified",
"extension",
"to",
"the",
"list",
"of",
"registered",
"extensions",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1247-L1317 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.initialize | public void initialize(IConfig config)
throws Exception {
// Check last-modified times of resources in the overrides folders. These resources
// are considered to be dynamic in a production environment and we want to
// detect new/changed resources in these folders on startup so that we can clear
// caches, etc.
OverrideFoldersTreeWalker walker = new OverrideFoldersTreeWalker(this, config);
walker.walkTree();
cacheMgr = newCacheManager(walker.getLastModified());
deps = newDependencies(walker.getLastModifiedJS());
resourcePaths = getPathsAndAliases(getInitParams());
// Notify listeners
this.config = config;
notifyConfigListeners(1);
} | java | public void initialize(IConfig config)
throws Exception {
// Check last-modified times of resources in the overrides folders. These resources
// are considered to be dynamic in a production environment and we want to
// detect new/changed resources in these folders on startup so that we can clear
// caches, etc.
OverrideFoldersTreeWalker walker = new OverrideFoldersTreeWalker(this, config);
walker.walkTree();
cacheMgr = newCacheManager(walker.getLastModified());
deps = newDependencies(walker.getLastModifiedJS());
resourcePaths = getPathsAndAliases(getInitParams());
// Notify listeners
this.config = config;
notifyConfigListeners(1);
} | [
"public",
"void",
"initialize",
"(",
"IConfig",
"config",
")",
"throws",
"Exception",
"{",
"// Check last-modified times of resources in the overrides folders. These resources\r",
"// are considered to be dynamic in a production environment and we want to\r",
"// detect new/changed resources... | This method does some initialization for the aggregator servlet. This method is called from platform
dependent Aggregator implementation during its initialization.
@param config
The aggregator config
@throws Exception | [
"This",
"method",
"does",
"some",
"initialization",
"for",
"the",
"aggregator",
"servlet",
".",
"This",
"method",
"is",
"called",
"from",
"platform",
"dependent",
"Aggregator",
"implementation",
"during",
"its",
"initialization",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1541-L1557 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.getPathsAndAliases | protected Map<String, URI> getPathsAndAliases(InitParams initParams) {
final String sourceMethod = "getPahtsAndAliases"; //$NON-NLS-1$
boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{initParams});
}
Map<String, URI> resourcePaths = new HashMap<String, URI>();
List<String> aliases = initParams.getValues(InitParams.ALIAS_INITPARAM);
for (String alias : aliases) {
addAlias(alias, null, "alias", resourcePaths); //$NON-NLS-1$
}
List<String> resourceIds = initParams.getValues(InitParams.RESOURCEID_INITPARAM);
for (String resourceId : resourceIds) {
aliases = initParams.getValues(resourceId + ":alias"); //$NON-NLS-1$
List<String> baseNames = initParams.getValues(resourceId + ":base-name"); //$NON-NLS-1$
if (aliases == null || aliases.size() != 1) {
throw new IllegalArgumentException(resourceId + ":aliases"); //$NON-NLS-1$
}
if (baseNames == null || baseNames.size() != 1) {
throw new IllegalArgumentException(resourceId + ":base-name"); //$NON-NLS-1$
}
String alias = aliases.get(0);
String baseName = baseNames.get(0);
// make sure not root path
boolean isPathComp = false;
for (String part : alias.split("/")) { //$NON-NLS-1$
if (part.length() > 0) {
isPathComp = true;
break;
}
}
// Make sure basename doesn't start with '/'
if (baseName.startsWith("/")) { //$NON-NLS-1$
throw new IllegalArgumentException("Root relative base-name not allowed: " + baseName); //$NON-NLS-1$
}
if (!isPathComp) {
throw new IllegalArgumentException(resourceId + ":alias = " + alias); //$NON-NLS-1$
}
addAlias(alias, URI.create(baseName), resourceId + ":alias", resourcePaths); //$NON-NLS-1$
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod, resourcePaths);
}
return Collections.unmodifiableMap(resourcePaths);
} | java | protected Map<String, URI> getPathsAndAliases(InitParams initParams) {
final String sourceMethod = "getPahtsAndAliases"; //$NON-NLS-1$
boolean isTraceLogging = log.isLoggable(Level.FINER);
if (isTraceLogging) {
log.entering(AbstractAggregatorImpl.class.getName(), sourceMethod, new Object[]{initParams});
}
Map<String, URI> resourcePaths = new HashMap<String, URI>();
List<String> aliases = initParams.getValues(InitParams.ALIAS_INITPARAM);
for (String alias : aliases) {
addAlias(alias, null, "alias", resourcePaths); //$NON-NLS-1$
}
List<String> resourceIds = initParams.getValues(InitParams.RESOURCEID_INITPARAM);
for (String resourceId : resourceIds) {
aliases = initParams.getValues(resourceId + ":alias"); //$NON-NLS-1$
List<String> baseNames = initParams.getValues(resourceId + ":base-name"); //$NON-NLS-1$
if (aliases == null || aliases.size() != 1) {
throw new IllegalArgumentException(resourceId + ":aliases"); //$NON-NLS-1$
}
if (baseNames == null || baseNames.size() != 1) {
throw new IllegalArgumentException(resourceId + ":base-name"); //$NON-NLS-1$
}
String alias = aliases.get(0);
String baseName = baseNames.get(0);
// make sure not root path
boolean isPathComp = false;
for (String part : alias.split("/")) { //$NON-NLS-1$
if (part.length() > 0) {
isPathComp = true;
break;
}
}
// Make sure basename doesn't start with '/'
if (baseName.startsWith("/")) { //$NON-NLS-1$
throw new IllegalArgumentException("Root relative base-name not allowed: " + baseName); //$NON-NLS-1$
}
if (!isPathComp) {
throw new IllegalArgumentException(resourceId + ":alias = " + alias); //$NON-NLS-1$
}
addAlias(alias, URI.create(baseName), resourceId + ":alias", resourcePaths); //$NON-NLS-1$
}
if (isTraceLogging) {
log.exiting(AbstractAggregatorImpl.class.getName(), sourceMethod, resourcePaths);
}
return Collections.unmodifiableMap(resourcePaths);
} | [
"protected",
"Map",
"<",
"String",
",",
"URI",
">",
"getPathsAndAliases",
"(",
"InitParams",
"initParams",
")",
"{",
"final",
"String",
"sourceMethod",
"=",
"\"getPahtsAndAliases\"",
";",
"//$NON-NLS-1$\r",
"boolean",
"isTraceLogging",
"=",
"log",
".",
"isLoggable",... | Returns a mapping of resource aliases to IResources defined in the init-params.
If the IResource is null, then the alias is for the aggregator itself rather
than a resource location.
@param initParams
The aggregator init-params
@return Mapping of aliases to IResources | [
"Returns",
"a",
"mapping",
"of",
"resource",
"aliases",
"to",
"IResources",
"defined",
"in",
"the",
"init",
"-",
"params",
".",
"If",
"the",
"IResource",
"is",
"null",
"then",
"the",
"alias",
"is",
"for",
"the",
"aggregator",
"itself",
"rather",
"than",
"a... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1569-L1616 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java | AbstractAggregatorImpl.registerLayerListener | @SuppressWarnings({ "unchecked", "rawtypes" })
protected void registerLayerListener() {
Dictionary dict = new Properties();
dict.put("name", getName()); //$NON-NLS-1$
registrations.add(getPlatformServices().registerService(
ILayerListener.class.getName(), new AggregatorLayerListener(this), dict));
} | java | @SuppressWarnings({ "unchecked", "rawtypes" })
protected void registerLayerListener() {
Dictionary dict = new Properties();
dict.put("name", getName()); //$NON-NLS-1$
registrations.add(getPlatformServices().registerService(
ILayerListener.class.getName(), new AggregatorLayerListener(this), dict));
} | [
"@",
"SuppressWarnings",
"(",
"{",
"\"unchecked\"",
",",
"\"rawtypes\"",
"}",
")",
"protected",
"void",
"registerLayerListener",
"(",
")",
"{",
"Dictionary",
"dict",
"=",
"new",
"Properties",
"(",
")",
";",
"dict",
".",
"put",
"(",
"\"name\"",
",",
"getName"... | Registers the layer listener | [
"Registers",
"the",
"layer",
"listener"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/impl/AbstractAggregatorImpl.java#L1689-L1695 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanTerm.java | BooleanTerm.andWith | public BooleanTerm andWith(BooleanTerm other) {
if (isFalse() || other.isFalse()) {
// anding with false, the result is false
return BooleanTerm.FALSE;
}
if (other.isTrue()) {
// anding with true, the result is unchanged
return this;
}
if (isTrue()) {
// anding with true, other is unchanged
return other;
}
Set<BooleanVar> result = new HashSet<BooleanVar>(this);
for (BooleanVar var : other) {
if (result.contains(var.negate())) {
// If the same term has the same var with opposite states
// then the resulting term is false;
return BooleanTerm.FALSE;
}
result.add(var);
}
return new BooleanTerm(result);
} | java | public BooleanTerm andWith(BooleanTerm other) {
if (isFalse() || other.isFalse()) {
// anding with false, the result is false
return BooleanTerm.FALSE;
}
if (other.isTrue()) {
// anding with true, the result is unchanged
return this;
}
if (isTrue()) {
// anding with true, other is unchanged
return other;
}
Set<BooleanVar> result = new HashSet<BooleanVar>(this);
for (BooleanVar var : other) {
if (result.contains(var.negate())) {
// If the same term has the same var with opposite states
// then the resulting term is false;
return BooleanTerm.FALSE;
}
result.add(var);
}
return new BooleanTerm(result);
} | [
"public",
"BooleanTerm",
"andWith",
"(",
"BooleanTerm",
"other",
")",
"{",
"if",
"(",
"isFalse",
"(",
")",
"||",
"other",
".",
"isFalse",
"(",
")",
")",
"{",
"// anding with false, the result is false\r",
"return",
"BooleanTerm",
".",
"FALSE",
";",
"}",
"if",
... | Returns the logical AND of this term with the specified
term.
@param other the term to and this term with.
@return the result of ANDing this term with the specified term | [
"Returns",
"the",
"logical",
"AND",
"of",
"this",
"term",
"with",
"the",
"specified",
"term",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanTerm.java#L154-L177 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/ZipUtil.java | ZipUtil.zip | static public byte[] zip(InputStream in) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
VariableGZIPOutputStream compress = new VariableGZIPOutputStream(bos, 10240); // is 10k too big?
compress.setLevel(Deflater.BEST_COMPRESSION);
Writer writer = new OutputStreamWriter(compress, "UTF-8"); //$NON-NLS-1$
// Copy the data from the input stream to the output, compressing as we go.
CopyUtil.copy(in, writer);
return bos.toByteArray();
} | java | static public byte[] zip(InputStream in) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
VariableGZIPOutputStream compress = new VariableGZIPOutputStream(bos, 10240); // is 10k too big?
compress.setLevel(Deflater.BEST_COMPRESSION);
Writer writer = new OutputStreamWriter(compress, "UTF-8"); //$NON-NLS-1$
// Copy the data from the input stream to the output, compressing as we go.
CopyUtil.copy(in, writer);
return bos.toByteArray();
} | [
"static",
"public",
"byte",
"[",
"]",
"zip",
"(",
"InputStream",
"in",
")",
"throws",
"IOException",
"{",
"ByteArrayOutputStream",
"bos",
"=",
"new",
"ByteArrayOutputStream",
"(",
")",
";",
"VariableGZIPOutputStream",
"compress",
"=",
"new",
"VariableGZIPOutputStrea... | Returns a byte array containing the gzipped contents of the input stream
@param in
the input stream to zip
@return the gzipped contents in a byte array
@throws IOException | [
"Returns",
"a",
"byte",
"array",
"containing",
"the",
"gzipped",
"contents",
"of",
"the",
"input",
"stream"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/ZipUtil.java#L346-L354 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/ZipUtil.java | ZipUtil.unzip | static public byte[] unzip(InputStream in) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
CopyUtil.copy(new GZIPInputStream(in), bos);
return bos.toByteArray();
} | java | static public byte[] unzip(InputStream in) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
CopyUtil.copy(new GZIPInputStream(in), bos);
return bos.toByteArray();
} | [
"static",
"public",
"byte",
"[",
"]",
"unzip",
"(",
"InputStream",
"in",
")",
"throws",
"IOException",
"{",
"ByteArrayOutputStream",
"bos",
"=",
"new",
"ByteArrayOutputStream",
"(",
")",
";",
"CopyUtil",
".",
"copy",
"(",
"new",
"GZIPInputStream",
"(",
"in",
... | Returns the unzipped contents of the zipped input stream in a byte array
@param in
the input stream to unzip
@return the unzipped content in a byte array
@throws IOException | [
"Returns",
"the",
"unzipped",
"contents",
"of",
"the",
"zipped",
"input",
"stream",
"in",
"a",
"byte",
"array"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/ZipUtil.java#L364-L368 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/NLS.java | NLS.bind | public static String bind(String message, Object binding) {
return internalBind(message, null, String.valueOf(binding), null);
} | java | public static String bind(String message, Object binding) {
return internalBind(message, null, String.valueOf(binding), null);
} | [
"public",
"static",
"String",
"bind",
"(",
"String",
"message",
",",
"Object",
"binding",
")",
"{",
"return",
"internalBind",
"(",
"message",
",",
"null",
",",
"String",
".",
"valueOf",
"(",
"binding",
")",
",",
"null",
")",
";",
"}"
] | Bind the given message's substitution locations with the given string value.
@param message the message to be manipulated
@param binding the object to be inserted into the message
@return the manipulated String
@throws IllegalArgumentException if the text appearing within curly braces in the given message does not map to an integer | [
"Bind",
"the",
"given",
"message",
"s",
"substitution",
"locations",
"with",
"the",
"given",
"string",
"value",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/NLS.java#L93-L95 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/NLS.java | NLS.initializeMessages | public static void initializeMessages(final String bundleName, final Class clazz) {
if (System.getSecurityManager() == null) {
load(bundleName, clazz);
return;
}
AccessController.doPrivileged(new PrivilegedAction() {
public Object run() {
load(bundleName, clazz);
return null;
}
});
} | java | public static void initializeMessages(final String bundleName, final Class clazz) {
if (System.getSecurityManager() == null) {
load(bundleName, clazz);
return;
}
AccessController.doPrivileged(new PrivilegedAction() {
public Object run() {
load(bundleName, clazz);
return null;
}
});
} | [
"public",
"static",
"void",
"initializeMessages",
"(",
"final",
"String",
"bundleName",
",",
"final",
"Class",
"clazz",
")",
"{",
"if",
"(",
"System",
".",
"getSecurityManager",
"(",
")",
"==",
"null",
")",
"{",
"load",
"(",
"bundleName",
",",
"clazz",
")"... | Initialize the given class with the values from the specified message bundle.
@param bundleName fully qualified path of the class name
@param clazz the class where the constants will exist | [
"Initialize",
"the",
"given",
"class",
"with",
"the",
"values",
"from",
"the",
"specified",
"message",
"bundle",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/NLS.java#L128-L139 | train |
m-m-m/util | value/src/main/java/net/sf/mmm/util/value/base/StringValueConverterImpl.java | StringValueConverterImpl.parseNumber | private Number parseNumber(String numberValue, Object valueSource) throws WrongValueTypeException {
try {
Double d = Double.valueOf(numberValue);
return this.mathUtil.toSimplestNumber(d);
} catch (NumberFormatException e) {
throw new WrongValueTypeException(e, numberValue, valueSource, Number.class);
}
} | java | private Number parseNumber(String numberValue, Object valueSource) throws WrongValueTypeException {
try {
Double d = Double.valueOf(numberValue);
return this.mathUtil.toSimplestNumber(d);
} catch (NumberFormatException e) {
throw new WrongValueTypeException(e, numberValue, valueSource, Number.class);
}
} | [
"private",
"Number",
"parseNumber",
"(",
"String",
"numberValue",
",",
"Object",
"valueSource",
")",
"throws",
"WrongValueTypeException",
"{",
"try",
"{",
"Double",
"d",
"=",
"Double",
".",
"valueOf",
"(",
"numberValue",
")",
";",
"return",
"this",
".",
"mathU... | This method parses a numeric value.
@param numberValue is the number value as string.
@param valueSource describes the source of the value. This may be the filename where the value was read
from, an XPath where the value was located in an XML document, etc. It is used in exceptions
thrown if something goes wrong. This will help to find the problem easier.
@return the value as number.
@throws WrongValueTypeException if the given string is no number. | [
"This",
"method",
"parses",
"a",
"numeric",
"value",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/value/src/main/java/net/sf/mmm/util/value/base/StringValueConverterImpl.java#L111-L119 | train |
Berico-Technologies/CLAVIN-NERD | src/main/java/com/bericotech/clavin/nerd/StanfordExtractor.java | StanfordExtractor.extractLocationNames | public List<LocationOccurrence> extractLocationNames(String text) {
if (text == null)
throw new IllegalArgumentException("text input to extractLocationNames should not be null");
// extract entities as <Entity Type, Start Index, Stop Index>
return convertNERtoCLAVIN(namedEntityRecognizer.classifyToCharacterOffsets(text), text);
} | java | public List<LocationOccurrence> extractLocationNames(String text) {
if (text == null)
throw new IllegalArgumentException("text input to extractLocationNames should not be null");
// extract entities as <Entity Type, Start Index, Stop Index>
return convertNERtoCLAVIN(namedEntityRecognizer.classifyToCharacterOffsets(text), text);
} | [
"public",
"List",
"<",
"LocationOccurrence",
">",
"extractLocationNames",
"(",
"String",
"text",
")",
"{",
"if",
"(",
"text",
"==",
"null",
")",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"text input to extractLocationNames should not be null\"",
")",
";",
"//... | Get extracted locations from a plain-text body.
@param text Text content to perform extraction on.
@return List of extracted Location Occurrences. | [
"Get",
"extracted",
"locations",
"from",
"a",
"plain",
"-",
"text",
"body",
"."
] | 96a51b841ce42f3e406f45d7949d31f73e5e12d5 | https://github.com/Berico-Technologies/CLAVIN-NERD/blob/96a51b841ce42f3e406f45d7949d31f73e5e12d5/src/main/java/com/bericotech/clavin/nerd/StanfordExtractor.java#L94-L100 | train |
Berico-Technologies/CLAVIN-NERD | src/main/java/com/bericotech/clavin/nerd/StanfordExtractor.java | StanfordExtractor.convertNERtoCLAVIN | public static List<LocationOccurrence> convertNERtoCLAVIN
(List<Triple<String, Integer, Integer>> entities, String text) {
List<LocationOccurrence> locations = new ArrayList<LocationOccurrence>();
if (entities != null) {
// iterate over each entity Triple
for (Triple<String, Integer, Integer> entity : entities) {
// check if the entity is a "Location"
if (entity.first.equalsIgnoreCase("LOCATION")) {
// build a LocationOccurrence object
locations.add(new LocationOccurrence(text.substring(entity.second, entity.third), entity.second));
}
}
}
return locations;
} | java | public static List<LocationOccurrence> convertNERtoCLAVIN
(List<Triple<String, Integer, Integer>> entities, String text) {
List<LocationOccurrence> locations = new ArrayList<LocationOccurrence>();
if (entities != null) {
// iterate over each entity Triple
for (Triple<String, Integer, Integer> entity : entities) {
// check if the entity is a "Location"
if (entity.first.equalsIgnoreCase("LOCATION")) {
// build a LocationOccurrence object
locations.add(new LocationOccurrence(text.substring(entity.second, entity.third), entity.second));
}
}
}
return locations;
} | [
"public",
"static",
"List",
"<",
"LocationOccurrence",
">",
"convertNERtoCLAVIN",
"(",
"List",
"<",
"Triple",
"<",
"String",
",",
"Integer",
",",
"Integer",
">",
">",
"entities",
",",
"String",
"text",
")",
"{",
"List",
"<",
"LocationOccurrence",
">",
"locat... | Converts output from Stanford NER to input required by CLAVIN resolver.
@param entities A List<Triple<String, Integer, Integer>> from Stanford NER
@param text text content processed by Stanford NER + CLAVIN resolver
@return List<LocationOccurrence> used by CLAVIN resolver | [
"Converts",
"output",
"from",
"Stanford",
"NER",
"to",
"input",
"required",
"by",
"CLAVIN",
"resolver",
"."
] | 96a51b841ce42f3e406f45d7949d31f73e5e12d5 | https://github.com/Berico-Technologies/CLAVIN-NERD/blob/96a51b841ce42f3e406f45d7949d31f73e5e12d5/src/main/java/com/bericotech/clavin/nerd/StanfordExtractor.java#L109-L126 | train |
m-m-m/util | pojopath/src/main/java/net/sf/mmm/util/pojo/path/base/AbstractPojoPathFunction.java | AbstractPojoPathFunction.getFunctionDescription | protected String getFunctionDescription(String functionName) {
String className = getClass().getSimpleName();
StringBuilder buffer = new StringBuilder(functionName.length() + className.length() + 4);
buffer.append(FUNCTION_NAME_PREFIX);
buffer.append(functionName);
buffer.append(" [");
buffer.append(className);
buffer.append("]");
return buffer.toString();
} | java | protected String getFunctionDescription(String functionName) {
String className = getClass().getSimpleName();
StringBuilder buffer = new StringBuilder(functionName.length() + className.length() + 4);
buffer.append(FUNCTION_NAME_PREFIX);
buffer.append(functionName);
buffer.append(" [");
buffer.append(className);
buffer.append("]");
return buffer.toString();
} | [
"protected",
"String",
"getFunctionDescription",
"(",
"String",
"functionName",
")",
"{",
"String",
"className",
"=",
"getClass",
"(",
")",
".",
"getSimpleName",
"(",
")",
";",
"StringBuilder",
"buffer",
"=",
"new",
"StringBuilder",
"(",
"functionName",
".",
"le... | This method gets a description of this function.
@param functionName is the name under which this function was invoked.
@return a string describing this function. | [
"This",
"method",
"gets",
"a",
"description",
"of",
"this",
"function",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/pojopath/src/main/java/net/sf/mmm/util/pojo/path/base/AbstractPojoPathFunction.java#L47-L57 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java | BooleanFormula.andWith | public BooleanFormula andWith(BooleanFormula other) {
if (other.isTrue()) {
return this;
}
if (other.isFalse() || isFalse()) {
if (booleanTerms == null) {
booleanTerms = new HashSet<BooleanTerm>();
} else {
booleanTerms.clear();
}
isSimplified = true;
return this;
}
if (isTrue()) {
booleanTerms = new HashSet<BooleanTerm>(other.booleanTerms);
return this;
}
BooleanFormula newTerms = new BooleanFormula();
for (BooleanTerm otherTerm : other) {
for (BooleanTerm term : booleanTerms) {
BooleanTerm newTerm = term.andWith(otherTerm);
if (newTerm != null) {
newTerms.add(newTerm);
}
}
}
booleanTerms = newTerms.booleanTerms;
isSimplified = newTerms.isSimplified;
return this;
} | java | public BooleanFormula andWith(BooleanFormula other) {
if (other.isTrue()) {
return this;
}
if (other.isFalse() || isFalse()) {
if (booleanTerms == null) {
booleanTerms = new HashSet<BooleanTerm>();
} else {
booleanTerms.clear();
}
isSimplified = true;
return this;
}
if (isTrue()) {
booleanTerms = new HashSet<BooleanTerm>(other.booleanTerms);
return this;
}
BooleanFormula newTerms = new BooleanFormula();
for (BooleanTerm otherTerm : other) {
for (BooleanTerm term : booleanTerms) {
BooleanTerm newTerm = term.andWith(otherTerm);
if (newTerm != null) {
newTerms.add(newTerm);
}
}
}
booleanTerms = newTerms.booleanTerms;
isSimplified = newTerms.isSimplified;
return this;
} | [
"public",
"BooleanFormula",
"andWith",
"(",
"BooleanFormula",
"other",
")",
"{",
"if",
"(",
"other",
".",
"isTrue",
"(",
")",
")",
"{",
"return",
"this",
";",
"}",
"if",
"(",
"other",
".",
"isFalse",
"(",
")",
"||",
"isFalse",
"(",
")",
")",
"{",
"... | Logically ands the provided terms with the terms in the formula,
replacing this formula with the result
@param other
the terms to and with this formula
@return this object. | [
"Logically",
"ands",
"the",
"provided",
"terms",
"with",
"the",
"terms",
"in",
"the",
"formula",
"replacing",
"this",
"formula",
"with",
"the",
"result"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java#L324-L353 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java | BooleanFormula.removeTerms | public boolean removeTerms(Set<BooleanTerm> toRemove) {
boolean modified = false;
if (toRemove == null || toRemove.iterator() == null) {
modified = booleanTerms == null || size() != 0;
booleanTerms = new HashSet<BooleanTerm>();
} else if (booleanTerms != null) {
modified = removeAll(toRemove);
}
return modified;
} | java | public boolean removeTerms(Set<BooleanTerm> toRemove) {
boolean modified = false;
if (toRemove == null || toRemove.iterator() == null) {
modified = booleanTerms == null || size() != 0;
booleanTerms = new HashSet<BooleanTerm>();
} else if (booleanTerms != null) {
modified = removeAll(toRemove);
}
return modified;
} | [
"public",
"boolean",
"removeTerms",
"(",
"Set",
"<",
"BooleanTerm",
">",
"toRemove",
")",
"{",
"boolean",
"modified",
"=",
"false",
";",
"if",
"(",
"toRemove",
"==",
"null",
"||",
"toRemove",
".",
"iterator",
"(",
")",
"==",
"null",
")",
"{",
"modified",... | Removes the specified terms from the formula
@param toRemove The set of terms to remove
@return True if the formula was modified | [
"Removes",
"the",
"specified",
"terms",
"from",
"the",
"formula"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java#L361-L370 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java | BooleanFormula.addAll | @Override
public boolean addAll(Collection<? extends BooleanTerm> terms) {
boolean modified = false;
// a null booleanTerms means that the expression is
// already true, so no need to modify it
if (terms == null) {
modified = booleanTerms != null;
booleanTerms = null;
} else if (booleanTerms != null) {
for (BooleanTerm term : terms) {
modified |= add(term);
}
}
return modified;
} | java | @Override
public boolean addAll(Collection<? extends BooleanTerm> terms) {
boolean modified = false;
// a null booleanTerms means that the expression is
// already true, so no need to modify it
if (terms == null) {
modified = booleanTerms != null;
booleanTerms = null;
} else if (booleanTerms != null) {
for (BooleanTerm term : terms) {
modified |= add(term);
}
}
return modified;
} | [
"@",
"Override",
"public",
"boolean",
"addAll",
"(",
"Collection",
"<",
"?",
"extends",
"BooleanTerm",
">",
"terms",
")",
"{",
"boolean",
"modified",
"=",
"false",
";",
"// a null booleanTerms means that the expression is\r",
"// already true, so no need to modify it\r",
... | Adds the terms to the formula. Note that if the formula has
previously been simplified and determined to evaluate to
true, then adding any terms will have no effect. | [
"Adds",
"the",
"terms",
"to",
"the",
"formula",
".",
"Note",
"that",
"if",
"the",
"formula",
"has",
"previously",
"been",
"simplified",
"and",
"determined",
"to",
"evaluate",
"to",
"true",
"then",
"adding",
"any",
"terms",
"will",
"have",
"no",
"effect",
"... | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/util/BooleanFormula.java#L440-L454 | train |
btrplace/scheduler | choco/src/main/java/org/btrplace/scheduler/choco/extensions/TaskMonitor.java | TaskMonitor.build | public static TaskMonitor build(IntVar start, IntVar duration, IntVar end) {
return new TaskMonitor(start, duration, end);
} | java | public static TaskMonitor build(IntVar start, IntVar duration, IntVar end) {
return new TaskMonitor(start, duration, end);
} | [
"public",
"static",
"TaskMonitor",
"build",
"(",
"IntVar",
"start",
",",
"IntVar",
"duration",
",",
"IntVar",
"end",
")",
"{",
"return",
"new",
"TaskMonitor",
"(",
"start",
",",
"duration",
",",
"end",
")",
";",
"}"
] | Make a new Monitor
@param start the task start moment
@param duration the task duration
@param end the task end
@return the resulting task. | [
"Make",
"a",
"new",
"Monitor"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/choco/src/main/java/org/btrplace/scheduler/choco/extensions/TaskMonitor.java#L65-L67 | train |
InsightLab/graphast | core/src/main/java/br/ufc/insightlab/graphast/structure/DefaultGraphStructure.java | DefaultGraphStructure.containsNode | @Override
public boolean containsNode(long id) {
return nodeIdMapping.containsKey(id) && !isRemoved(nodes.get(nodeIdMapping.get(id)));
} | java | @Override
public boolean containsNode(long id) {
return nodeIdMapping.containsKey(id) && !isRemoved(nodes.get(nodeIdMapping.get(id)));
} | [
"@",
"Override",
"public",
"boolean",
"containsNode",
"(",
"long",
"id",
")",
"{",
"return",
"nodeIdMapping",
".",
"containsKey",
"(",
"id",
")",
"&&",
"!",
"isRemoved",
"(",
"nodes",
".",
"get",
"(",
"nodeIdMapping",
".",
"get",
"(",
"id",
")",
")",
"... | Verify whether the node which has the given id is in the graph or not.
@param id the node's id. | [
"Verify",
"whether",
"the",
"node",
"which",
"has",
"the",
"given",
"id",
"is",
"in",
"the",
"graph",
"or",
"not",
"."
] | b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24 | https://github.com/InsightLab/graphast/blob/b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24/core/src/main/java/br/ufc/insightlab/graphast/structure/DefaultGraphStructure.java#L166-L169 | train |
btrplace/scheduler | api/src/main/java/org/btrplace/plan/event/ForgeVM.java | ForgeVM.applyAction | @Override
public boolean applyAction(Model m) {
Mapping map = m.getMapping();
if (!map.contains(id)) {
map.addReadyVM(id);
return true;
}
return false;
} | java | @Override
public boolean applyAction(Model m) {
Mapping map = m.getMapping();
if (!map.contains(id)) {
map.addReadyVM(id);
return true;
}
return false;
} | [
"@",
"Override",
"public",
"boolean",
"applyAction",
"(",
"Model",
"m",
")",
"{",
"Mapping",
"map",
"=",
"m",
".",
"getMapping",
"(",
")",
";",
"if",
"(",
"!",
"map",
".",
"contains",
"(",
"id",
")",
")",
"{",
"map",
".",
"addReadyVM",
"(",
"id",
... | Put the VM in the ready state iff
it does not already belong to the mapping.
@param m the model to modify
@return {@code true} iff successful | [
"Put",
"the",
"VM",
"in",
"the",
"ready",
"state",
"iff",
"it",
"does",
"not",
"already",
"belong",
"to",
"the",
"mapping",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/api/src/main/java/org/btrplace/plan/event/ForgeVM.java#L56-L65 | train |
m-m-m/util | reflect/src/main/java/net/sf/mmm/util/reflect/base/ReflectionUtilImpl.java | ReflectionUtilImpl.visitResourceNames | public void visitResourceNames(String packageName, boolean includeSubPackages, ClassLoader classLoader, ResourceVisitor visitor) {
try {
String path = packageName.replace('.', '/');
if (path.isEmpty()) {
LOG.debug("Scanning entire classpath...");
} else {
LOG.trace("Scanning for resources on classpath for {}", path);
}
StringBuilder qualifiedNameBuilder = new StringBuilder(path);
if (qualifiedNameBuilder.length() > 0) {
qualifiedNameBuilder.append('/');
}
String pathWithPrefix = qualifiedNameBuilder.toString();
int qualifiedNamePrefixLength = qualifiedNameBuilder.length();
Enumeration<URL> urls = classLoader.getResources(path);
Set<String> urlSet = new HashSet<>();
while (urls.hasMoreElements()) {
URL url = urls.nextElement();
visitResourceUrl(includeSubPackages, visitor, pathWithPrefix, qualifiedNameBuilder, qualifiedNamePrefixLength, url, urlSet);
}
if (path.isEmpty()) {
visitResourceClassloader(includeSubPackages, classLoader, visitor, pathWithPrefix, qualifiedNameBuilder, qualifiedNamePrefixLength, urlSet);
visitResourceClasspath(includeSubPackages, visitor, qualifiedNameBuilder, pathWithPrefix, qualifiedNamePrefixLength, urlSet);
}
} catch (IOException e) {
throw new IllegalStateException("Error reading resources.", e);
}
} | java | public void visitResourceNames(String packageName, boolean includeSubPackages, ClassLoader classLoader, ResourceVisitor visitor) {
try {
String path = packageName.replace('.', '/');
if (path.isEmpty()) {
LOG.debug("Scanning entire classpath...");
} else {
LOG.trace("Scanning for resources on classpath for {}", path);
}
StringBuilder qualifiedNameBuilder = new StringBuilder(path);
if (qualifiedNameBuilder.length() > 0) {
qualifiedNameBuilder.append('/');
}
String pathWithPrefix = qualifiedNameBuilder.toString();
int qualifiedNamePrefixLength = qualifiedNameBuilder.length();
Enumeration<URL> urls = classLoader.getResources(path);
Set<String> urlSet = new HashSet<>();
while (urls.hasMoreElements()) {
URL url = urls.nextElement();
visitResourceUrl(includeSubPackages, visitor, pathWithPrefix, qualifiedNameBuilder, qualifiedNamePrefixLength, url, urlSet);
}
if (path.isEmpty()) {
visitResourceClassloader(includeSubPackages, classLoader, visitor, pathWithPrefix, qualifiedNameBuilder, qualifiedNamePrefixLength, urlSet);
visitResourceClasspath(includeSubPackages, visitor, qualifiedNameBuilder, pathWithPrefix, qualifiedNamePrefixLength, urlSet);
}
} catch (IOException e) {
throw new IllegalStateException("Error reading resources.", e);
}
} | [
"public",
"void",
"visitResourceNames",
"(",
"String",
"packageName",
",",
"boolean",
"includeSubPackages",
",",
"ClassLoader",
"classLoader",
",",
"ResourceVisitor",
"visitor",
")",
"{",
"try",
"{",
"String",
"path",
"=",
"packageName",
".",
"replace",
"(",
"'",
... | This method does the actual magic to locate resources on the classpath.
@param packageName is the name of the {@link Package} to scan. Both "." and "/" are accepted as separator (e.g.
"net.sf.mmm.util.reflect).
@param includeSubPackages - if {@code true} all sub-packages of the specified {@link Package} will be included in
the search.
@param classLoader is the explicit {@link ClassLoader} to use.
@param visitor is the {@link ResourceVisitor}.
@if the operation failed with an I/O error. | [
"This",
"method",
"does",
"the",
"actual",
"magic",
"to",
"locate",
"resources",
"on",
"the",
"classpath",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/reflect/src/main/java/net/sf/mmm/util/reflect/base/ReflectionUtilImpl.java#L731-L759 | train |
btrplace/scheduler | split/src/main/java/org/btrplace/scheduler/runner/disjoint/FixedNodeSetsPartitioning.java | FixedNodeSetsPartitioning.setPartitions | public boolean setPartitions(Collection<Collection<Node>> parts) {
if (!isDisjoint(parts)) {
return false;
}
partitions = parts;
return true;
} | java | public boolean setPartitions(Collection<Collection<Node>> parts) {
if (!isDisjoint(parts)) {
return false;
}
partitions = parts;
return true;
} | [
"public",
"boolean",
"setPartitions",
"(",
"Collection",
"<",
"Collection",
"<",
"Node",
">",
">",
"parts",
")",
"{",
"if",
"(",
"!",
"isDisjoint",
"(",
"parts",
")",
")",
"{",
"return",
"false",
";",
"}",
"partitions",
"=",
"parts",
";",
"return",
"tr... | Set the node partitions
@param parts disjoint set of nodes
@return {@code true} iff the partitions have been set. {@code false} if the
sets were not disjoint | [
"Set",
"the",
"node",
"partitions"
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/split/src/main/java/org/btrplace/scheduler/runner/disjoint/FixedNodeSetsPartitioning.java#L115-L121 | train |
m-m-m/util | cli/src/main/java/net/sf/mmm/util/cli/api/AbstractMain.java | AbstractMain.run | public int run(String... args) {
CliParser parser = getParserBuilder().build(this);
try {
CliModeObject mode = parser.parseParameters(args);
if (this.help) {
assert (mode.getId().equals(CliMode.ID_HELP));
printHelp(parser);
return 0;
}
validate(mode);
return run(mode);
} catch (Exception e) {
return handleError(e, parser);
} finally {
getStandardOutput().flush();
getStandardError().flush();
}
} | java | public int run(String... args) {
CliParser parser = getParserBuilder().build(this);
try {
CliModeObject mode = parser.parseParameters(args);
if (this.help) {
assert (mode.getId().equals(CliMode.ID_HELP));
printHelp(parser);
return 0;
}
validate(mode);
return run(mode);
} catch (Exception e) {
return handleError(e, parser);
} finally {
getStandardOutput().flush();
getStandardError().flush();
}
} | [
"public",
"int",
"run",
"(",
"String",
"...",
"args",
")",
"{",
"CliParser",
"parser",
"=",
"getParserBuilder",
"(",
")",
".",
"build",
"(",
"this",
")",
";",
"try",
"{",
"CliModeObject",
"mode",
"=",
"parser",
".",
"parseParameters",
"(",
"args",
")",
... | This method should be invoked from the static main-method.
@param args are the commandline-arguments.
@return the exit code or {@code 0} on success. | [
"This",
"method",
"should",
"be",
"invoked",
"from",
"the",
"static",
"main",
"-",
"method",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/cli/src/main/java/net/sf/mmm/util/cli/api/AbstractMain.java#L244-L262 | train |
protegeproject/jpaul | src/main/java/jpaul/Misc/Debug.java | Debug.sortedCollection | public static <T> List<T> sortedCollection(Collection<T> coll) {
List<T> list = new LinkedList<T>(coll);
Collections.sort(list, new UComp<T>());
return list;
} | java | public static <T> List<T> sortedCollection(Collection<T> coll) {
List<T> list = new LinkedList<T>(coll);
Collections.sort(list, new UComp<T>());
return list;
} | [
"public",
"static",
"<",
"T",
">",
"List",
"<",
"T",
">",
"sortedCollection",
"(",
"Collection",
"<",
"T",
">",
"coll",
")",
"{",
"List",
"<",
"T",
">",
"list",
"=",
"new",
"LinkedList",
"<",
"T",
">",
"(",
"coll",
")",
";",
"Collections",
".",
"... | Returns a list containing all the objects from a collection,
in increasing lexicographic order of their string
representations. | [
"Returns",
"a",
"list",
"containing",
"all",
"the",
"objects",
"from",
"a",
"collection",
"in",
"increasing",
"lexicographic",
"order",
"of",
"their",
"string",
"representations",
"."
] | db579ffb16faaa4b0c577ec82c246f7349427714 | https://github.com/protegeproject/jpaul/blob/db579ffb16faaa4b0c577ec82c246f7349427714/src/main/java/jpaul/Misc/Debug.java#L28-L32 | train |
protegeproject/jpaul | src/main/java/jpaul/Misc/Debug.java | Debug.stringImg | public static <T> String stringImg(Collection<T> coll) {
StringBuffer buffer = new StringBuffer();
buffer.append("[ ");
for(T t : sortedCollection(coll)) {
buffer.append(t);
buffer.append(" ");
}
buffer.append("]");
return buffer.toString();
} | java | public static <T> String stringImg(Collection<T> coll) {
StringBuffer buffer = new StringBuffer();
buffer.append("[ ");
for(T t : sortedCollection(coll)) {
buffer.append(t);
buffer.append(" ");
}
buffer.append("]");
return buffer.toString();
} | [
"public",
"static",
"<",
"T",
">",
"String",
"stringImg",
"(",
"Collection",
"<",
"T",
">",
"coll",
")",
"{",
"StringBuffer",
"buffer",
"=",
"new",
"StringBuffer",
"(",
")",
";",
"buffer",
".",
"append",
"(",
"\"[ \"",
")",
";",
"for",
"(",
"T",
"t",... | Returns a string representation of all elements from a
collection, in increasing lexicographic order of their string
representations. | [
"Returns",
"a",
"string",
"representation",
"of",
"all",
"elements",
"from",
"a",
"collection",
"in",
"increasing",
"lexicographic",
"order",
"of",
"their",
"string",
"representations",
"."
] | db579ffb16faaa4b0c577ec82c246f7349427714 | https://github.com/protegeproject/jpaul/blob/db579ffb16faaa4b0c577ec82c246f7349427714/src/main/java/jpaul/Misc/Debug.java#L37-L48 | train |
protegeproject/jpaul | src/main/java/jpaul/Misc/Debug.java | Debug.stringImg | public static <T> String stringImg(T[] v) {
if(v == null) return "null";
StringBuffer buffer = new StringBuffer();
Arrays.sort(v, new UComp<T>());
for(int i=0; i<v.length; i++) {
buffer.append(v[i]);
buffer.append("\n");
}
return buffer.toString();
} | java | public static <T> String stringImg(T[] v) {
if(v == null) return "null";
StringBuffer buffer = new StringBuffer();
Arrays.sort(v, new UComp<T>());
for(int i=0; i<v.length; i++) {
buffer.append(v[i]);
buffer.append("\n");
}
return buffer.toString();
} | [
"public",
"static",
"<",
"T",
">",
"String",
"stringImg",
"(",
"T",
"[",
"]",
"v",
")",
"{",
"if",
"(",
"v",
"==",
"null",
")",
"return",
"\"null\"",
";",
"StringBuffer",
"buffer",
"=",
"new",
"StringBuffer",
"(",
")",
";",
"Arrays",
".",
"sort",
"... | Returns a string representation of all elements from an array,
in increasing lexicographic order of their string
representations. | [
"Returns",
"a",
"string",
"representation",
"of",
"all",
"elements",
"from",
"an",
"array",
"in",
"increasing",
"lexicographic",
"order",
"of",
"their",
"string",
"representations",
"."
] | db579ffb16faaa4b0c577ec82c246f7349427714 | https://github.com/protegeproject/jpaul/blob/db579ffb16faaa4b0c577ec82c246f7349427714/src/main/java/jpaul/Misc/Debug.java#L53-L65 | train |
btrplace/scheduler | btrpsl/src/main/java/org/btrplace/btrpsl/constraint/migration/SyncBuilder.java | SyncBuilder.buildConstraint | @Override
public List<Sync> buildConstraint(BtrPlaceTree t, List<BtrpOperand> args) {
if (!checkConformance(t, args)) {
return Collections.emptyList();
}
@SuppressWarnings("unchecked")
List<VM> s = (List<VM>) params[0].transform(this, t, args.get(0));
if (s == null) {
return Collections.emptyList();
}
if (s.size() < 2) {
t.ignoreError("Parameter '" + params[0].getName() + "' expects a list of at least 2 VMs");
return Collections.emptyList();
}
return Collections.singletonList(new Sync(s));
} | java | @Override
public List<Sync> buildConstraint(BtrPlaceTree t, List<BtrpOperand> args) {
if (!checkConformance(t, args)) {
return Collections.emptyList();
}
@SuppressWarnings("unchecked")
List<VM> s = (List<VM>) params[0].transform(this, t, args.get(0));
if (s == null) {
return Collections.emptyList();
}
if (s.size() < 2) {
t.ignoreError("Parameter '" + params[0].getName() + "' expects a list of at least 2 VMs");
return Collections.emptyList();
}
return Collections.singletonList(new Sync(s));
} | [
"@",
"Override",
"public",
"List",
"<",
"Sync",
">",
"buildConstraint",
"(",
"BtrPlaceTree",
"t",
",",
"List",
"<",
"BtrpOperand",
">",
"args",
")",
"{",
"if",
"(",
"!",
"checkConformance",
"(",
"t",
",",
"args",
")",
")",
"{",
"return",
"Collections",
... | Build a sync constraint.
@param t the current tree
@param args must be 1 set of vms. The set must not be empty
@return a constraint | [
"Build",
"a",
"sync",
"constraint",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/btrpsl/src/main/java/org/btrplace/btrpsl/constraint/migration/SyncBuilder.java#L53-L70 | train |
mapcode-foundation/mapcode-java | src/main/java/com/mapcode/Mapcode.java | Mapcode.getPrecisionFormat | public static int getPrecisionFormat(@Nonnull final String mapcode) throws UnknownPrecisionFormatException {
// First, decode to ASCII.
final String decodedMapcode = convertStringToPlainAscii(mapcode).toUpperCase();
// Syntax needs to be OK.
if (!PATTERN_MAPCODE.matcher(decodedMapcode).matches()) {
throw new UnknownPrecisionFormatException(decodedMapcode + " is not a correctly formatted mapcode code; " +
"the regular expression for the mapcode code syntax is: " + REGEX_MAPCODE);
}
// Precision part should be OK.
final Matcher matcherPrecision = PATTERN_PRECISION.matcher(decodedMapcode);
if (!matcherPrecision.find()) {
return 0;
}
final int length = matcherPrecision.end() - matcherPrecision.start() - 1;
assert (1 <= length) && (length <= 8);
return length;
} | java | public static int getPrecisionFormat(@Nonnull final String mapcode) throws UnknownPrecisionFormatException {
// First, decode to ASCII.
final String decodedMapcode = convertStringToPlainAscii(mapcode).toUpperCase();
// Syntax needs to be OK.
if (!PATTERN_MAPCODE.matcher(decodedMapcode).matches()) {
throw new UnknownPrecisionFormatException(decodedMapcode + " is not a correctly formatted mapcode code; " +
"the regular expression for the mapcode code syntax is: " + REGEX_MAPCODE);
}
// Precision part should be OK.
final Matcher matcherPrecision = PATTERN_PRECISION.matcher(decodedMapcode);
if (!matcherPrecision.find()) {
return 0;
}
final int length = matcherPrecision.end() - matcherPrecision.start() - 1;
assert (1 <= length) && (length <= 8);
return length;
} | [
"public",
"static",
"int",
"getPrecisionFormat",
"(",
"@",
"Nonnull",
"final",
"String",
"mapcode",
")",
"throws",
"UnknownPrecisionFormatException",
"{",
"// First, decode to ASCII.",
"final",
"String",
"decodedMapcode",
"=",
"convertStringToPlainAscii",
"(",
"mapcode",
... | This method return the mapcode type, given a mapcode string. If the mapcode string has an invalid
format, an exception is thrown.
Note that this method only checks the syntactic validity of the mapcode, the string format. It does not
check if the mapcode is really a valid mapcode representing a position on Earth.
@param mapcode Mapcode (optionally with a territory).
@return Type of mapcode code format.
@throws UnknownPrecisionFormatException If precision format is incorrect. | [
"This",
"method",
"return",
"the",
"mapcode",
"type",
"given",
"a",
"mapcode",
"string",
".",
"If",
"the",
"mapcode",
"string",
"has",
"an",
"invalid",
"format",
"an",
"exception",
"is",
"thrown",
"."
] | f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8 | https://github.com/mapcode-foundation/mapcode-java/blob/f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8/src/main/java/com/mapcode/Mapcode.java#L287-L306 | train |
mapcode-foundation/mapcode-java | src/main/java/com/mapcode/Mapcode.java | Mapcode.isValidMapcodeFormat | public static boolean isValidMapcodeFormat(@Nonnull final String mapcode) throws IllegalArgumentException {
checkNonnull("mapcode", mapcode);
try {
// Throws an exception if the format is incorrect.
getPrecisionFormat(mapcode.toUpperCase());
return true;
} catch (final UnknownPrecisionFormatException ignored) {
return false;
}
} | java | public static boolean isValidMapcodeFormat(@Nonnull final String mapcode) throws IllegalArgumentException {
checkNonnull("mapcode", mapcode);
try {
// Throws an exception if the format is incorrect.
getPrecisionFormat(mapcode.toUpperCase());
return true;
} catch (final UnknownPrecisionFormatException ignored) {
return false;
}
} | [
"public",
"static",
"boolean",
"isValidMapcodeFormat",
"(",
"@",
"Nonnull",
"final",
"String",
"mapcode",
")",
"throws",
"IllegalArgumentException",
"{",
"checkNonnull",
"(",
"\"mapcode\"",
",",
"mapcode",
")",
";",
"try",
"{",
"// Throws an exception if the format is i... | This method provides a shortcut to checking if a mapcode string is formatted properly or not at all.
@param mapcode Mapcode (optionally with a territory).
@return True if the mapcode format, the syntax, is correct. This does not mean the mapcode code is
actually a valid mapcode representing a location on Earth.
@throws IllegalArgumentException If mapcode is null. | [
"This",
"method",
"provides",
"a",
"shortcut",
"to",
"checking",
"if",
"a",
"mapcode",
"string",
"is",
"formatted",
"properly",
"or",
"not",
"at",
"all",
"."
] | f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8 | https://github.com/mapcode-foundation/mapcode-java/blob/f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8/src/main/java/com/mapcode/Mapcode.java#L316-L325 | train |
mapcode-foundation/mapcode-java | src/main/java/com/mapcode/Mapcode.java | Mapcode.containsTerritory | public static boolean containsTerritory(@Nonnull final String mapcode) throws IllegalArgumentException {
checkMapcodeCode("mapcode", mapcode);
return PATTERN_TERRITORY.matcher(mapcode.toUpperCase().trim()).find();
} | java | public static boolean containsTerritory(@Nonnull final String mapcode) throws IllegalArgumentException {
checkMapcodeCode("mapcode", mapcode);
return PATTERN_TERRITORY.matcher(mapcode.toUpperCase().trim()).find();
} | [
"public",
"static",
"boolean",
"containsTerritory",
"(",
"@",
"Nonnull",
"final",
"String",
"mapcode",
")",
"throws",
"IllegalArgumentException",
"{",
"checkMapcodeCode",
"(",
"\"mapcode\"",
",",
"mapcode",
")",
";",
"return",
"PATTERN_TERRITORY",
".",
"matcher",
"(... | Returns whether the mapcode contains territory information or not.
@param mapcode Mapcode string, optionally with territory information.
@return True if mapcode contains territory information.
@throws IllegalArgumentException If mapcode has incorrect syntax. | [
"Returns",
"whether",
"the",
"mapcode",
"contains",
"territory",
"information",
"or",
"not",
"."
] | f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8 | https://github.com/mapcode-foundation/mapcode-java/blob/f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8/src/main/java/com/mapcode/Mapcode.java#L334-L337 | train |
mapcode-foundation/mapcode-java | src/main/java/com/mapcode/Mapcode.java | Mapcode.convertStringToPlainAscii | @Nonnull
static String convertStringToPlainAscii(@Nonnull final String string) {
return Decoder.decodeUTF16(string.toUpperCase());
} | java | @Nonnull
static String convertStringToPlainAscii(@Nonnull final String string) {
return Decoder.decodeUTF16(string.toUpperCase());
} | [
"@",
"Nonnull",
"static",
"String",
"convertStringToPlainAscii",
"(",
"@",
"Nonnull",
"final",
"String",
"string",
")",
"{",
"return",
"Decoder",
".",
"decodeUTF16",
"(",
"string",
".",
"toUpperCase",
"(",
")",
")",
";",
"}"
] | Convert a string which potentially contains Unicode characters, to an ASCII variant.
@param string Any string.
@return ASCII, non-Unicode string. | [
"Convert",
"a",
"string",
"which",
"potentially",
"contains",
"Unicode",
"characters",
"to",
"an",
"ASCII",
"variant",
"."
] | f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8 | https://github.com/mapcode-foundation/mapcode-java/blob/f12d4d9fbd460472ac0fff1f702f2ac716bc0ab8/src/main/java/com/mapcode/Mapcode.java#L379-L382 | train |
jMotif/GI | src/main/java/net/seninp/gi/repair/RePairFactory.java | RePairFactory.buildGrammar | public static RePairGrammar buildGrammar(SAXRecords saxRecords) {
RePairGrammar grammar = NewRepair.parse(saxRecords.getSAXString(SPACE));
return grammar;
} | java | public static RePairGrammar buildGrammar(SAXRecords saxRecords) {
RePairGrammar grammar = NewRepair.parse(saxRecords.getSAXString(SPACE));
return grammar;
} | [
"public",
"static",
"RePairGrammar",
"buildGrammar",
"(",
"SAXRecords",
"saxRecords",
")",
"{",
"RePairGrammar",
"grammar",
"=",
"NewRepair",
".",
"parse",
"(",
"saxRecords",
".",
"getSAXString",
"(",
"SPACE",
")",
")",
";",
"return",
"grammar",
";",
"}"
] | Builds a repair grammar given a set of SAX records.
@param saxRecords the records to process.
@return the grammar. | [
"Builds",
"a",
"repair",
"grammar",
"given",
"a",
"set",
"of",
"SAX",
"records",
"."
] | 381212dd4f193246a6df82bd46f0d2bcd04a68d6 | https://github.com/jMotif/GI/blob/381212dd4f193246a6df82bd46f0d2bcd04a68d6/src/main/java/net/seninp/gi/repair/RePairFactory.java#L33-L39 | train |
jMotif/GI | src/main/java/net/seninp/gi/repair/RePairFactory.java | RePairFactory.buildGrammar | public static RePairGrammar buildGrammar(String inputString) {
RePairGrammar grammar = NewRepair.parse(inputString);
return grammar;
} | java | public static RePairGrammar buildGrammar(String inputString) {
RePairGrammar grammar = NewRepair.parse(inputString);
return grammar;
} | [
"public",
"static",
"RePairGrammar",
"buildGrammar",
"(",
"String",
"inputString",
")",
"{",
"RePairGrammar",
"grammar",
"=",
"NewRepair",
".",
"parse",
"(",
"inputString",
")",
";",
"return",
"grammar",
";",
"}"
] | Builds a grammar given a string of terminals delimeted by space.
@param inputString the input string.
@return the RePair grammar. | [
"Builds",
"a",
"grammar",
"given",
"a",
"string",
"of",
"terminals",
"delimeted",
"by",
"space",
"."
] | 381212dd4f193246a6df82bd46f0d2bcd04a68d6 | https://github.com/jMotif/GI/blob/381212dd4f193246a6df82bd46f0d2bcd04a68d6/src/main/java/net/seninp/gi/repair/RePairFactory.java#L47-L53 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/InitParams.java | InitParams.getValue | public String getValue(String name) {
String result = null;
for (InitParam initParam : initParams) {
if (initParam.getName().equals(name)) {
result = initParam.getValue();
break;
}
}
return result;
} | java | public String getValue(String name) {
String result = null;
for (InitParam initParam : initParams) {
if (initParam.getName().equals(name)) {
result = initParam.getValue();
break;
}
}
return result;
} | [
"public",
"String",
"getValue",
"(",
"String",
"name",
")",
"{",
"String",
"result",
"=",
"null",
";",
"for",
"(",
"InitParam",
"initParam",
":",
"initParams",
")",
"{",
"if",
"(",
"initParam",
".",
"getName",
"(",
")",
".",
"equals",
"(",
"name",
")",... | Returns the value of the first instance of the named init-param, or
null if the init-param is not found.
@param name
the init-param name
@return the value of the first init-param with the specified name or null | [
"Returns",
"the",
"value",
"of",
"the",
"first",
"instance",
"of",
"the",
"named",
"init",
"-",
"param",
"or",
"null",
"if",
"the",
"init",
"-",
"param",
"is",
"not",
"found",
"."
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/InitParams.java#L175-L184 | train |
OpenNTF/JavascriptAggregator | jaggr-core/src/main/java/com/ibm/jaggr/core/InitParams.java | InitParams.getNames | public Collection<String> getNames() {
Collection<String> names = new HashSet<String>();
for (InitParam initParam : initParams) {
names.add(initParam.getName());
}
return names;
} | java | public Collection<String> getNames() {
Collection<String> names = new HashSet<String>();
for (InitParam initParam : initParams) {
names.add(initParam.getName());
}
return names;
} | [
"public",
"Collection",
"<",
"String",
">",
"getNames",
"(",
")",
"{",
"Collection",
"<",
"String",
">",
"names",
"=",
"new",
"HashSet",
"<",
"String",
">",
"(",
")",
";",
"for",
"(",
"InitParam",
"initParam",
":",
"initParams",
")",
"{",
"names",
".",... | Returns a collection of the init-param names, or an empty collection
if there are no init-params
@return The collection of init-param names | [
"Returns",
"a",
"collection",
"of",
"the",
"init",
"-",
"param",
"names",
"or",
"an",
"empty",
"collection",
"if",
"there",
"are",
"no",
"init",
"-",
"params"
] | 9f47a96d778251638b1df9a368462176216d5b29 | https://github.com/OpenNTF/JavascriptAggregator/blob/9f47a96d778251638b1df9a368462176216d5b29/jaggr-core/src/main/java/com/ibm/jaggr/core/InitParams.java#L192-L198 | train |
m-m-m/util | core/src/main/java/net/sf/mmm/util/component/impl/PeriodicRefresherImpl.java | PeriodicRefresherImpl.setRefreshDelayInSeconds | public void setRefreshDelayInSeconds(int refreshDelayInSeconds) {
ValueOutOfRangeException.checkRange(Integer.valueOf(refreshDelayInSeconds), MIN_DELAY, Integer.valueOf(Integer.MAX_VALUE),
getClass().getSimpleName() + ".refreshDelayInSeconds");
this.refreshDelayInSeconds = refreshDelayInSeconds;
} | java | public void setRefreshDelayInSeconds(int refreshDelayInSeconds) {
ValueOutOfRangeException.checkRange(Integer.valueOf(refreshDelayInSeconds), MIN_DELAY, Integer.valueOf(Integer.MAX_VALUE),
getClass().getSimpleName() + ".refreshDelayInSeconds");
this.refreshDelayInSeconds = refreshDelayInSeconds;
} | [
"public",
"void",
"setRefreshDelayInSeconds",
"(",
"int",
"refreshDelayInSeconds",
")",
"{",
"ValueOutOfRangeException",
".",
"checkRange",
"(",
"Integer",
".",
"valueOf",
"(",
"refreshDelayInSeconds",
")",
",",
"MIN_DELAY",
",",
"Integer",
".",
"valueOf",
"(",
"Int... | This method sets the refresh-delay in seconds. A reasonable value should be at least 5 seconds but better in the
range of minutes.
@param refreshDelayInSeconds is the refreshDelayInSeconds to set | [
"This",
"method",
"sets",
"the",
"refresh",
"-",
"delay",
"in",
"seconds",
".",
"A",
"reasonable",
"value",
"should",
"be",
"at",
"least",
"5",
"seconds",
"but",
"better",
"in",
"the",
"range",
"of",
"minutes",
"."
] | f0e4e084448f8dfc83ca682a9e1618034a094ce6 | https://github.com/m-m-m/util/blob/f0e4e084448f8dfc83ca682a9e1618034a094ce6/core/src/main/java/net/sf/mmm/util/component/impl/PeriodicRefresherImpl.java#L193-L198 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java | ModelViewsConverter.register | public void register(ModelViewConverter<? extends ModelView> c) {
java2json.put(c.getSupportedView(), c);
json2java.put(c.getJSONId(), c);
} | java | public void register(ModelViewConverter<? extends ModelView> c) {
java2json.put(c.getSupportedView(), c);
json2java.put(c.getJSONId(), c);
} | [
"public",
"void",
"register",
"(",
"ModelViewConverter",
"<",
"?",
"extends",
"ModelView",
">",
"c",
")",
"{",
"java2json",
".",
"put",
"(",
"c",
".",
"getSupportedView",
"(",
")",
",",
"c",
")",
";",
"json2java",
".",
"put",
"(",
"c",
".",
"getJSONId"... | Register a converter for a specific view.
@param c the converter to register | [
"Register",
"a",
"converter",
"for",
"a",
"specific",
"view",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java#L74-L78 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java | ModelViewsConverter.fromJSON | public ModelView fromJSON(Model mo, JSONObject in) throws JSONConverterException {
checkKeys(in, ModelViewConverter.IDENTIFIER);
Object id = in.get(ModelViewConverter.IDENTIFIER);
ModelViewConverter<? extends ModelView> c = json2java.get(id.toString());
if (c == null) {
throw new JSONConverterException("No converter available for a view having id '" + id + "'");
}
return c.fromJSON(mo, in);
} | java | public ModelView fromJSON(Model mo, JSONObject in) throws JSONConverterException {
checkKeys(in, ModelViewConverter.IDENTIFIER);
Object id = in.get(ModelViewConverter.IDENTIFIER);
ModelViewConverter<? extends ModelView> c = json2java.get(id.toString());
if (c == null) {
throw new JSONConverterException("No converter available for a view having id '" + id + "'");
}
return c.fromJSON(mo, in);
} | [
"public",
"ModelView",
"fromJSON",
"(",
"Model",
"mo",
",",
"JSONObject",
"in",
")",
"throws",
"JSONConverterException",
"{",
"checkKeys",
"(",
"in",
",",
"ModelViewConverter",
".",
"IDENTIFIER",
")",
";",
"Object",
"id",
"=",
"in",
".",
"get",
"(",
"ModelVi... | Convert a json-encoded view.
@param mo the model to rely on
@param in the view to decode
@return the resulting view
@throws JSONConverterException if the conversion failed | [
"Convert",
"a",
"json",
"-",
"encoded",
"view",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java#L106-L114 | train |
btrplace/scheduler | json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java | ModelViewsConverter.toJSON | public JSONObject toJSON(ModelView o) throws JSONConverterException {
ModelViewConverter c = java2json.get(o.getClass());
if (c == null) {
throw new JSONConverterException("No converter available for a view with the '" + o.getClass() + "' className");
}
return c.toJSON(o);
} | java | public JSONObject toJSON(ModelView o) throws JSONConverterException {
ModelViewConverter c = java2json.get(o.getClass());
if (c == null) {
throw new JSONConverterException("No converter available for a view with the '" + o.getClass() + "' className");
}
return c.toJSON(o);
} | [
"public",
"JSONObject",
"toJSON",
"(",
"ModelView",
"o",
")",
"throws",
"JSONConverterException",
"{",
"ModelViewConverter",
"c",
"=",
"java2json",
".",
"get",
"(",
"o",
".",
"getClass",
"(",
")",
")",
";",
"if",
"(",
"c",
"==",
"null",
")",
"{",
"throw"... | Serialise a view.
@param o the view
@return the resulting encoded view | [
"Serialise",
"a",
"view",
"."
] | 611063aad0b47a016e57ebf36fa4dfdf24de09e8 | https://github.com/btrplace/scheduler/blob/611063aad0b47a016e57ebf36fa4dfdf24de09e8/json/src/main/java/org/btrplace/json/model/view/ModelViewsConverter.java#L121-L127 | train |
InsightLab/graphast | core/src/main/java/br/ufc/insightlab/graphast/query/utils/DistanceVector.java | DistanceVector.getElement | public DistanceElement getElement(long id) {
if (!vector.containsKey(id))
vector.put(id, new DistanceElement(id));
return vector.get(id);
} | java | public DistanceElement getElement(long id) {
if (!vector.containsKey(id))
vector.put(id, new DistanceElement(id));
return vector.get(id);
} | [
"public",
"DistanceElement",
"getElement",
"(",
"long",
"id",
")",
"{",
"if",
"(",
"!",
"vector",
".",
"containsKey",
"(",
"id",
")",
")",
"vector",
".",
"put",
"(",
"id",
",",
"new",
"DistanceElement",
"(",
"id",
")",
")",
";",
"return",
"vector",
"... | Gets an element of the distance vector, based on the given node id. If a DistanceElement object with the given id does
not exist in the vector, a new object with the id is added to it. Then, the element with the given id as key is returned
in the end.
@param id the id whose associated DistanceElement object is to be returned
@return the value to which the specified id is mapped | [
"Gets",
"an",
"element",
"of",
"the",
"distance",
"vector",
"based",
"on",
"the",
"given",
"node",
"id",
".",
"If",
"a",
"DistanceElement",
"object",
"with",
"the",
"given",
"id",
"does",
"not",
"exist",
"in",
"the",
"vector",
"a",
"new",
"object",
"with... | b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24 | https://github.com/InsightLab/graphast/blob/b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24/core/src/main/java/br/ufc/insightlab/graphast/query/utils/DistanceVector.java#L68-L74 | train |
InsightLab/graphast | core/src/main/java/br/ufc/insightlab/graphast/query/utils/DistanceVector.java | DistanceVector.printPathTo | public void printPathTo(long targetId) {
System.out.println(getPath(targetId).stream().map(String::valueOf).reduce((s1, s2) -> s1 + " -> " + s2).get());
} | java | public void printPathTo(long targetId) {
System.out.println(getPath(targetId).stream().map(String::valueOf).reduce((s1, s2) -> s1 + " -> " + s2).get());
} | [
"public",
"void",
"printPathTo",
"(",
"long",
"targetId",
")",
"{",
"System",
".",
"out",
".",
"println",
"(",
"getPath",
"(",
"targetId",
")",
".",
"stream",
"(",
")",
".",
"map",
"(",
"String",
"::",
"valueOf",
")",
".",
"reduce",
"(",
"(",
"s1",
... | Prints the path between a source node and a target node, if it exists. If it does not exist, a message indicating this is shown.
Is a path does exist, a sequence of nodes is printed to show the path that the nodes share.
@param targetId the id of the target node in the graph. | [
"Prints",
"the",
"path",
"between",
"a",
"source",
"node",
"and",
"a",
"target",
"node",
"if",
"it",
"exists",
".",
"If",
"it",
"does",
"not",
"exist",
"a",
"message",
"indicating",
"this",
"is",
"shown",
".",
"Is",
"a",
"path",
"does",
"exist",
"a",
... | b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24 | https://github.com/InsightLab/graphast/blob/b81d10c1ea8378e1fb9fcb545dd75d5e6308fd24/core/src/main/java/br/ufc/insightlab/graphast/query/utils/DistanceVector.java#L113-L115 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.