repository_name
stringlengths 7
58
| func_path_in_repository
stringlengths 11
218
| func_name
stringlengths 4
140
| whole_func_string
stringlengths 153
5.32k
| language
stringclasses 1
value | func_code_string
stringlengths 72
4k
| func_code_tokens
sequencelengths 20
832
| func_documentation_string
stringlengths 61
2k
| func_documentation_tokens
sequencelengths 1
647
| split_name
stringclasses 1
value | func_code_url
stringlengths 102
339
|
---|---|---|---|---|---|---|---|---|---|---|
camunda/camunda-bpm-platform | engine/src/main/java/org/camunda/bpm/engine/ProcessEngines.java | ProcessEngines.getProcessEngine | public static ProcessEngine getProcessEngine(String processEngineName, boolean forceCreate) {
"""
obtain a process engine by name.
@param processEngineName is the name of the process engine or null for the default process engine.
"""
if (!isInitialized) {
init(forceCreate);
}
return processEngines.get(processEngineName);
} | java | public static ProcessEngine getProcessEngine(String processEngineName, boolean forceCreate) {
if (!isInitialized) {
init(forceCreate);
}
return processEngines.get(processEngineName);
} | [
"public",
"static",
"ProcessEngine",
"getProcessEngine",
"(",
"String",
"processEngineName",
",",
"boolean",
"forceCreate",
")",
"{",
"if",
"(",
"!",
"isInitialized",
")",
"{",
"init",
"(",
"forceCreate",
")",
";",
"}",
"return",
"processEngines",
".",
"get",
"(",
"processEngineName",
")",
";",
"}"
] | obtain a process engine by name.
@param processEngineName is the name of the process engine or null for the default process engine. | [
"obtain",
"a",
"process",
"engine",
"by",
"name",
"."
] | train | https://github.com/camunda/camunda-bpm-platform/blob/1a464fc887ef3760e53d6f91b9e5b871a0d77cc0/engine/src/main/java/org/camunda/bpm/engine/ProcessEngines.java#L246-L251 |
openbase/jul | exception/src/main/java/org/openbase/jul/exception/StackTracePrinter.java | StackTracePrinter.printStackTrace | public static void printStackTrace(final Logger logger, final LogLevel logLevel) {
"""
Method prints the stack trace of the calling thread in a human readable way.
@param logger the logger used for printing.
@param logLevel the log level used for logging the stack trace.
"""
printStackTrace((String) null, logger, logLevel);
} | java | public static void printStackTrace(final Logger logger, final LogLevel logLevel) {
printStackTrace((String) null, logger, logLevel);
} | [
"public",
"static",
"void",
"printStackTrace",
"(",
"final",
"Logger",
"logger",
",",
"final",
"LogLevel",
"logLevel",
")",
"{",
"printStackTrace",
"(",
"(",
"String",
")",
"null",
",",
"logger",
",",
"logLevel",
")",
";",
"}"
] | Method prints the stack trace of the calling thread in a human readable way.
@param logger the logger used for printing.
@param logLevel the log level used for logging the stack trace. | [
"Method",
"prints",
"the",
"stack",
"trace",
"of",
"the",
"calling",
"thread",
"in",
"a",
"human",
"readable",
"way",
"."
] | train | https://github.com/openbase/jul/blob/662e98c3a853085e475be54c3be3deb72193c72d/exception/src/main/java/org/openbase/jul/exception/StackTracePrinter.java#L66-L68 |
Azure/azure-sdk-for-java | batch/data-plane/src/main/java/com/microsoft/azure/batch/protocol/implementation/FilesImpl.java | FilesImpl.getPropertiesFromComputeNodeAsync | public Observable<Void> getPropertiesFromComputeNodeAsync(String poolId, String nodeId, String filePath) {
"""
Gets the properties of the specified compute node file.
@param poolId The ID of the pool that contains the compute node.
@param nodeId The ID of the compute node that contains the file.
@param filePath The path to the compute node file that you want to get the properties of.
@throws IllegalArgumentException thrown if parameters fail the validation
@return the {@link ServiceResponseWithHeaders} object if successful.
"""
return getPropertiesFromComputeNodeWithServiceResponseAsync(poolId, nodeId, filePath).map(new Func1<ServiceResponseWithHeaders<Void, FileGetPropertiesFromComputeNodeHeaders>, Void>() {
@Override
public Void call(ServiceResponseWithHeaders<Void, FileGetPropertiesFromComputeNodeHeaders> response) {
return response.body();
}
});
} | java | public Observable<Void> getPropertiesFromComputeNodeAsync(String poolId, String nodeId, String filePath) {
return getPropertiesFromComputeNodeWithServiceResponseAsync(poolId, nodeId, filePath).map(new Func1<ServiceResponseWithHeaders<Void, FileGetPropertiesFromComputeNodeHeaders>, Void>() {
@Override
public Void call(ServiceResponseWithHeaders<Void, FileGetPropertiesFromComputeNodeHeaders> response) {
return response.body();
}
});
} | [
"public",
"Observable",
"<",
"Void",
">",
"getPropertiesFromComputeNodeAsync",
"(",
"String",
"poolId",
",",
"String",
"nodeId",
",",
"String",
"filePath",
")",
"{",
"return",
"getPropertiesFromComputeNodeWithServiceResponseAsync",
"(",
"poolId",
",",
"nodeId",
",",
"filePath",
")",
".",
"map",
"(",
"new",
"Func1",
"<",
"ServiceResponseWithHeaders",
"<",
"Void",
",",
"FileGetPropertiesFromComputeNodeHeaders",
">",
",",
"Void",
">",
"(",
")",
"{",
"@",
"Override",
"public",
"Void",
"call",
"(",
"ServiceResponseWithHeaders",
"<",
"Void",
",",
"FileGetPropertiesFromComputeNodeHeaders",
">",
"response",
")",
"{",
"return",
"response",
".",
"body",
"(",
")",
";",
"}",
"}",
")",
";",
"}"
] | Gets the properties of the specified compute node file.
@param poolId The ID of the pool that contains the compute node.
@param nodeId The ID of the compute node that contains the file.
@param filePath The path to the compute node file that you want to get the properties of.
@throws IllegalArgumentException thrown if parameters fail the validation
@return the {@link ServiceResponseWithHeaders} object if successful. | [
"Gets",
"the",
"properties",
"of",
"the",
"specified",
"compute",
"node",
"file",
"."
] | train | https://github.com/Azure/azure-sdk-for-java/blob/aab183ddc6686c82ec10386d5a683d2691039626/batch/data-plane/src/main/java/com/microsoft/azure/batch/protocol/implementation/FilesImpl.java#L1393-L1400 |
igniterealtime/Smack | smack-experimental/src/main/java/org/jivesoftware/smackx/mam/MamManager.java | MamManager.updateArchivingPreferences | @Deprecated
public MamPrefsResult updateArchivingPreferences(List<Jid> alwaysJids, List<Jid> neverJids, DefaultBehavior defaultBehavior)
throws NoResponseException, XMPPErrorException, NotConnectedException, InterruptedException,
NotLoggedInException {
"""
Update the preferences in the server.
@param alwaysJids
is the list of JIDs that should always have messages to/from
archived in the user's store
@param neverJids
is the list of JIDs that should never have messages to/from
archived in the user's store
@param defaultBehavior
can be "roster", "always", "never" (see XEP-0313)
@return the MAM preferences result
@throws NoResponseException
@throws XMPPErrorException
@throws NotConnectedException
@throws InterruptedException
@throws NotLoggedInException
@deprecated use {@link #updateArchivingPreferences(MamPrefs)} instead.
"""
Objects.requireNonNull(defaultBehavior, "Default behavior must be set");
MamPrefsIQ mamPrefIQ = new MamPrefsIQ(alwaysJids, neverJids, defaultBehavior);
return queryMamPrefs(mamPrefIQ);
} | java | @Deprecated
public MamPrefsResult updateArchivingPreferences(List<Jid> alwaysJids, List<Jid> neverJids, DefaultBehavior defaultBehavior)
throws NoResponseException, XMPPErrorException, NotConnectedException, InterruptedException,
NotLoggedInException {
Objects.requireNonNull(defaultBehavior, "Default behavior must be set");
MamPrefsIQ mamPrefIQ = new MamPrefsIQ(alwaysJids, neverJids, defaultBehavior);
return queryMamPrefs(mamPrefIQ);
} | [
"@",
"Deprecated",
"public",
"MamPrefsResult",
"updateArchivingPreferences",
"(",
"List",
"<",
"Jid",
">",
"alwaysJids",
",",
"List",
"<",
"Jid",
">",
"neverJids",
",",
"DefaultBehavior",
"defaultBehavior",
")",
"throws",
"NoResponseException",
",",
"XMPPErrorException",
",",
"NotConnectedException",
",",
"InterruptedException",
",",
"NotLoggedInException",
"{",
"Objects",
".",
"requireNonNull",
"(",
"defaultBehavior",
",",
"\"Default behavior must be set\"",
")",
";",
"MamPrefsIQ",
"mamPrefIQ",
"=",
"new",
"MamPrefsIQ",
"(",
"alwaysJids",
",",
"neverJids",
",",
"defaultBehavior",
")",
";",
"return",
"queryMamPrefs",
"(",
"mamPrefIQ",
")",
";",
"}"
] | Update the preferences in the server.
@param alwaysJids
is the list of JIDs that should always have messages to/from
archived in the user's store
@param neverJids
is the list of JIDs that should never have messages to/from
archived in the user's store
@param defaultBehavior
can be "roster", "always", "never" (see XEP-0313)
@return the MAM preferences result
@throws NoResponseException
@throws XMPPErrorException
@throws NotConnectedException
@throws InterruptedException
@throws NotLoggedInException
@deprecated use {@link #updateArchivingPreferences(MamPrefs)} instead. | [
"Update",
"the",
"preferences",
"in",
"the",
"server",
"."
] | train | https://github.com/igniterealtime/Smack/blob/870756997faec1e1bfabfac0cd6c2395b04da873/smack-experimental/src/main/java/org/jivesoftware/smackx/mam/MamManager.java#L815-L822 |
lessthanoptimal/ejml | main/ejml-ddense/src/org/ejml/dense/row/CommonOps_DDRM.java | CommonOps_DDRM.diagR | public static DMatrixRMaj diagR(int numRows , int numCols , double ...diagEl ) {
"""
<p>
Creates a new rectangular matrix whose diagonal elements are specified by diagEl and all
the other elements are zero.<br>
<br>
a<sub>ij</sub> = 0 if i ≤ j<br>
a<sub>ij</sub> = diag[i] if i = j<br>
</p>
@see #diag
@param numRows Number of rows in the matrix.
@param numCols Number of columns in the matrix.
@param diagEl Contains the values of the diagonal elements of the resulting matrix.
@return A new matrix.
"""
DMatrixRMaj ret = new DMatrixRMaj(numRows,numCols);
int o = Math.min(numRows,numCols);
for( int i = 0; i < o; i++ ) {
ret.set(i, i, diagEl[i]);
}
return ret;
} | java | public static DMatrixRMaj diagR(int numRows , int numCols , double ...diagEl )
{
DMatrixRMaj ret = new DMatrixRMaj(numRows,numCols);
int o = Math.min(numRows,numCols);
for( int i = 0; i < o; i++ ) {
ret.set(i, i, diagEl[i]);
}
return ret;
} | [
"public",
"static",
"DMatrixRMaj",
"diagR",
"(",
"int",
"numRows",
",",
"int",
"numCols",
",",
"double",
"...",
"diagEl",
")",
"{",
"DMatrixRMaj",
"ret",
"=",
"new",
"DMatrixRMaj",
"(",
"numRows",
",",
"numCols",
")",
";",
"int",
"o",
"=",
"Math",
".",
"min",
"(",
"numRows",
",",
"numCols",
")",
";",
"for",
"(",
"int",
"i",
"=",
"0",
";",
"i",
"<",
"o",
";",
"i",
"++",
")",
"{",
"ret",
".",
"set",
"(",
"i",
",",
"i",
",",
"diagEl",
"[",
"i",
"]",
")",
";",
"}",
"return",
"ret",
";",
"}"
] | <p>
Creates a new rectangular matrix whose diagonal elements are specified by diagEl and all
the other elements are zero.<br>
<br>
a<sub>ij</sub> = 0 if i ≤ j<br>
a<sub>ij</sub> = diag[i] if i = j<br>
</p>
@see #diag
@param numRows Number of rows in the matrix.
@param numCols Number of columns in the matrix.
@param diagEl Contains the values of the diagonal elements of the resulting matrix.
@return A new matrix. | [
"<p",
">",
"Creates",
"a",
"new",
"rectangular",
"matrix",
"whose",
"diagonal",
"elements",
"are",
"specified",
"by",
"diagEl",
"and",
"all",
"the",
"other",
"elements",
"are",
"zero",
".",
"<br",
">",
"<br",
">",
"a<sub",
">",
"ij<",
"/",
"sub",
">",
"=",
"0",
"if",
"i",
"&le",
";",
"j<br",
">",
"a<sub",
">",
"ij<",
"/",
"sub",
">",
"=",
"diag",
"[",
"i",
"]",
"if",
"i",
"=",
"j<br",
">",
"<",
"/",
"p",
">"
] | train | https://github.com/lessthanoptimal/ejml/blob/1444680cc487af5e866730e62f48f5f9636850d9/main/ejml-ddense/src/org/ejml/dense/row/CommonOps_DDRM.java#L1056-L1067 |
apache/groovy | src/main/java/org/codehaus/groovy/runtime/DefaultGroovyMethods.java | DefaultGroovyMethods.mixin | public static void mixin(MetaClass self, Class[] categoryClass) {
"""
Extend class globally with category methods.
@param self any Class
@param categoryClass a category class to use
@since 1.6.0
"""
mixin(self, Arrays.asList(categoryClass));
} | java | public static void mixin(MetaClass self, Class[] categoryClass) {
mixin(self, Arrays.asList(categoryClass));
} | [
"public",
"static",
"void",
"mixin",
"(",
"MetaClass",
"self",
",",
"Class",
"[",
"]",
"categoryClass",
")",
"{",
"mixin",
"(",
"self",
",",
"Arrays",
".",
"asList",
"(",
"categoryClass",
")",
")",
";",
"}"
] | Extend class globally with category methods.
@param self any Class
@param categoryClass a category class to use
@since 1.6.0 | [
"Extend",
"class",
"globally",
"with",
"category",
"methods",
"."
] | train | https://github.com/apache/groovy/blob/71cf20addb611bb8d097a59e395fd20bc7f31772/src/main/java/org/codehaus/groovy/runtime/DefaultGroovyMethods.java#L622-L624 |
wildfly/wildfly-core | protocol/src/main/java/org/jboss/as/protocol/mgmt/AbstractMessageHandler.java | AbstractMessageHandler.handleChannelClosed | public void handleChannelClosed(final Channel closed, final IOException e) {
"""
Receive a notification that the channel was closed.
This is used for the {@link ManagementClientChannelStrategy.Establishing} since it might use multiple channels.
@param closed the closed resource
@param e the exception which occurred during close, if any
"""
for(final ActiveOperationImpl<?, ?> activeOperation : activeRequests.values()) {
if (activeOperation.getChannel() == closed) {
// Only call cancel, to also interrupt still active threads
activeOperation.getResultHandler().cancel();
}
}
} | java | public void handleChannelClosed(final Channel closed, final IOException e) {
for(final ActiveOperationImpl<?, ?> activeOperation : activeRequests.values()) {
if (activeOperation.getChannel() == closed) {
// Only call cancel, to also interrupt still active threads
activeOperation.getResultHandler().cancel();
}
}
} | [
"public",
"void",
"handleChannelClosed",
"(",
"final",
"Channel",
"closed",
",",
"final",
"IOException",
"e",
")",
"{",
"for",
"(",
"final",
"ActiveOperationImpl",
"<",
"?",
",",
"?",
">",
"activeOperation",
":",
"activeRequests",
".",
"values",
"(",
")",
")",
"{",
"if",
"(",
"activeOperation",
".",
"getChannel",
"(",
")",
"==",
"closed",
")",
"{",
"// Only call cancel, to also interrupt still active threads",
"activeOperation",
".",
"getResultHandler",
"(",
")",
".",
"cancel",
"(",
")",
";",
"}",
"}",
"}"
] | Receive a notification that the channel was closed.
This is used for the {@link ManagementClientChannelStrategy.Establishing} since it might use multiple channels.
@param closed the closed resource
@param e the exception which occurred during close, if any | [
"Receive",
"a",
"notification",
"that",
"the",
"channel",
"was",
"closed",
"."
] | train | https://github.com/wildfly/wildfly-core/blob/cfaf0479dcbb2d320a44c5374b93b944ec39fade/protocol/src/main/java/org/jboss/as/protocol/mgmt/AbstractMessageHandler.java#L114-L121 |
geomajas/geomajas-project-client-gwt2 | impl/src/main/java/org/geomajas/gwt2/client/service/JsonService.java | JsonService.getDateValue | public static Date getDateValue(JSONObject jsonObject, String key) throws JSONException {
"""
Get a date value from a {@link JSONObject}.
@param jsonObject The object to get the key value from.
@param key The name of the key to search the value for.
@return Returns the value for the key in the object or null.
@throws JSONException Thrown in case the key could not be found in the JSON object, or if the date could not be
parsed correctly.
"""
checkArguments(jsonObject, key);
JSONValue value = jsonObject.get(key);
if (value != null && value.isString() != null) {
String dateString = getStringValue(jsonObject, key);
if (dateString.charAt(0) == '"') {
dateString = dateString.substring(1);
}
if (dateString.endsWith("\"")) {
dateString = dateString.substring(0, dateString.length() - 1);
}
try {
return DEFAULT_DATEFORMAT.parse(dateString);
} catch (Exception e) {
try {
long millis = Long.parseLong(dateString);
return new Date(millis);
} catch (Exception e2) {
throw new JSONException("Could not parse the date for key '" + key + "'", e);
}
}
}
return null;
} | java | public static Date getDateValue(JSONObject jsonObject, String key) throws JSONException {
checkArguments(jsonObject, key);
JSONValue value = jsonObject.get(key);
if (value != null && value.isString() != null) {
String dateString = getStringValue(jsonObject, key);
if (dateString.charAt(0) == '"') {
dateString = dateString.substring(1);
}
if (dateString.endsWith("\"")) {
dateString = dateString.substring(0, dateString.length() - 1);
}
try {
return DEFAULT_DATEFORMAT.parse(dateString);
} catch (Exception e) {
try {
long millis = Long.parseLong(dateString);
return new Date(millis);
} catch (Exception e2) {
throw new JSONException("Could not parse the date for key '" + key + "'", e);
}
}
}
return null;
} | [
"public",
"static",
"Date",
"getDateValue",
"(",
"JSONObject",
"jsonObject",
",",
"String",
"key",
")",
"throws",
"JSONException",
"{",
"checkArguments",
"(",
"jsonObject",
",",
"key",
")",
";",
"JSONValue",
"value",
"=",
"jsonObject",
".",
"get",
"(",
"key",
")",
";",
"if",
"(",
"value",
"!=",
"null",
"&&",
"value",
".",
"isString",
"(",
")",
"!=",
"null",
")",
"{",
"String",
"dateString",
"=",
"getStringValue",
"(",
"jsonObject",
",",
"key",
")",
";",
"if",
"(",
"dateString",
".",
"charAt",
"(",
"0",
")",
"==",
"'",
"'",
")",
"{",
"dateString",
"=",
"dateString",
".",
"substring",
"(",
"1",
")",
";",
"}",
"if",
"(",
"dateString",
".",
"endsWith",
"(",
"\"\\\"\"",
")",
")",
"{",
"dateString",
"=",
"dateString",
".",
"substring",
"(",
"0",
",",
"dateString",
".",
"length",
"(",
")",
"-",
"1",
")",
";",
"}",
"try",
"{",
"return",
"DEFAULT_DATEFORMAT",
".",
"parse",
"(",
"dateString",
")",
";",
"}",
"catch",
"(",
"Exception",
"e",
")",
"{",
"try",
"{",
"long",
"millis",
"=",
"Long",
".",
"parseLong",
"(",
"dateString",
")",
";",
"return",
"new",
"Date",
"(",
"millis",
")",
";",
"}",
"catch",
"(",
"Exception",
"e2",
")",
"{",
"throw",
"new",
"JSONException",
"(",
"\"Could not parse the date for key '\"",
"+",
"key",
"+",
"\"'\"",
",",
"e",
")",
";",
"}",
"}",
"}",
"return",
"null",
";",
"}"
] | Get a date value from a {@link JSONObject}.
@param jsonObject The object to get the key value from.
@param key The name of the key to search the value for.
@return Returns the value for the key in the object or null.
@throws JSONException Thrown in case the key could not be found in the JSON object, or if the date could not be
parsed correctly. | [
"Get",
"a",
"date",
"value",
"from",
"a",
"{",
"@link",
"JSONObject",
"}",
"."
] | train | https://github.com/geomajas/geomajas-project-client-gwt2/blob/bd8d7904e861fa80522eed7b83c4ea99844180c7/impl/src/main/java/org/geomajas/gwt2/client/service/JsonService.java#L182-L205 |
Harium/keel | src/main/java/com/harium/keel/catalano/math/ComplexNumber.java | ComplexNumber.Subtract | public static ComplexNumber Subtract(ComplexNumber z1, double scalar) {
"""
Subtract a complex number.
@param z1 Complex Number.
@param scalar Scalar value.
@return Returns new ComplexNumber instance containing the subtract of specified complex number with a scalar value.
"""
return new ComplexNumber(z1.real - scalar, z1.imaginary);
} | java | public static ComplexNumber Subtract(ComplexNumber z1, double scalar) {
return new ComplexNumber(z1.real - scalar, z1.imaginary);
} | [
"public",
"static",
"ComplexNumber",
"Subtract",
"(",
"ComplexNumber",
"z1",
",",
"double",
"scalar",
")",
"{",
"return",
"new",
"ComplexNumber",
"(",
"z1",
".",
"real",
"-",
"scalar",
",",
"z1",
".",
"imaginary",
")",
";",
"}"
] | Subtract a complex number.
@param z1 Complex Number.
@param scalar Scalar value.
@return Returns new ComplexNumber instance containing the subtract of specified complex number with a scalar value. | [
"Subtract",
"a",
"complex",
"number",
"."
] | train | https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/ComplexNumber.java#L283-L285 |
alkacon/opencms-core | src/org/opencms/db/CmsSecurityManager.java | CmsSecurityManager.deleteProject | public void deleteProject(CmsRequestContext context, CmsUUID projectId)
throws CmsException, CmsRoleViolationException {
"""
Deletes a project.<p>
All modified resources currently inside this project will be reset to their online state.<p>
@param context the current request context
@param projectId the ID of the project to be deleted
@throws CmsException if something goes wrong
@throws CmsRoleViolationException if the current user does not own management access to the project
"""
if (projectId.equals(CmsProject.ONLINE_PROJECT_ID)) {
// online project must not be deleted
throw new CmsVfsException(
org.opencms.file.Messages.get().container(
org.opencms.file.Messages.ERR_NOT_ALLOWED_IN_ONLINE_PROJECT_0));
}
CmsDbContext dbc = m_dbContextFactory.getDbContext(context);
CmsProject deleteProject = null;
try {
// read the project that should be deleted
deleteProject = m_driverManager.readProject(dbc, projectId);
checkManagerOfProjectRole(dbc, deleteProject);
m_driverManager.deleteProject(dbc, deleteProject);
} catch (Exception e) {
String projectName = (deleteProject == null ? String.valueOf(projectId) : deleteProject.getName());
dbc.report(null, Messages.get().container(Messages.ERR_DELETE_PROJECT_1, projectName), e);
} finally {
dbc.clear();
}
} | java | public void deleteProject(CmsRequestContext context, CmsUUID projectId)
throws CmsException, CmsRoleViolationException {
if (projectId.equals(CmsProject.ONLINE_PROJECT_ID)) {
// online project must not be deleted
throw new CmsVfsException(
org.opencms.file.Messages.get().container(
org.opencms.file.Messages.ERR_NOT_ALLOWED_IN_ONLINE_PROJECT_0));
}
CmsDbContext dbc = m_dbContextFactory.getDbContext(context);
CmsProject deleteProject = null;
try {
// read the project that should be deleted
deleteProject = m_driverManager.readProject(dbc, projectId);
checkManagerOfProjectRole(dbc, deleteProject);
m_driverManager.deleteProject(dbc, deleteProject);
} catch (Exception e) {
String projectName = (deleteProject == null ? String.valueOf(projectId) : deleteProject.getName());
dbc.report(null, Messages.get().container(Messages.ERR_DELETE_PROJECT_1, projectName), e);
} finally {
dbc.clear();
}
} | [
"public",
"void",
"deleteProject",
"(",
"CmsRequestContext",
"context",
",",
"CmsUUID",
"projectId",
")",
"throws",
"CmsException",
",",
"CmsRoleViolationException",
"{",
"if",
"(",
"projectId",
".",
"equals",
"(",
"CmsProject",
".",
"ONLINE_PROJECT_ID",
")",
")",
"{",
"// online project must not be deleted",
"throw",
"new",
"CmsVfsException",
"(",
"org",
".",
"opencms",
".",
"file",
".",
"Messages",
".",
"get",
"(",
")",
".",
"container",
"(",
"org",
".",
"opencms",
".",
"file",
".",
"Messages",
".",
"ERR_NOT_ALLOWED_IN_ONLINE_PROJECT_0",
")",
")",
";",
"}",
"CmsDbContext",
"dbc",
"=",
"m_dbContextFactory",
".",
"getDbContext",
"(",
"context",
")",
";",
"CmsProject",
"deleteProject",
"=",
"null",
";",
"try",
"{",
"// read the project that should be deleted",
"deleteProject",
"=",
"m_driverManager",
".",
"readProject",
"(",
"dbc",
",",
"projectId",
")",
";",
"checkManagerOfProjectRole",
"(",
"dbc",
",",
"deleteProject",
")",
";",
"m_driverManager",
".",
"deleteProject",
"(",
"dbc",
",",
"deleteProject",
")",
";",
"}",
"catch",
"(",
"Exception",
"e",
")",
"{",
"String",
"projectName",
"=",
"(",
"deleteProject",
"==",
"null",
"?",
"String",
".",
"valueOf",
"(",
"projectId",
")",
":",
"deleteProject",
".",
"getName",
"(",
")",
")",
";",
"dbc",
".",
"report",
"(",
"null",
",",
"Messages",
".",
"get",
"(",
")",
".",
"container",
"(",
"Messages",
".",
"ERR_DELETE_PROJECT_1",
",",
"projectName",
")",
",",
"e",
")",
";",
"}",
"finally",
"{",
"dbc",
".",
"clear",
"(",
")",
";",
"}",
"}"
] | Deletes a project.<p>
All modified resources currently inside this project will be reset to their online state.<p>
@param context the current request context
@param projectId the ID of the project to be deleted
@throws CmsException if something goes wrong
@throws CmsRoleViolationException if the current user does not own management access to the project | [
"Deletes",
"a",
"project",
".",
"<p",
">"
] | train | https://github.com/alkacon/opencms-core/blob/bc104acc75d2277df5864da939a1f2de5fdee504/src/org/opencms/db/CmsSecurityManager.java#L1481-L1504 |
stevespringett/Alpine | alpine/src/main/java/alpine/auth/LdapConnectionWrapper.java | LdapConnectionWrapper.createLdapContext | public LdapContext createLdapContext(final String userDn, final String password) throws NamingException {
"""
Asserts a users credentials. Returns an LdapContext if assertion is successful
or an exception for any other reason.
@param userDn the users DN to assert
@param password the password to assert
@return the LdapContext upon a successful connection
@throws NamingException when unable to establish a connection
@since 1.4.0
"""
LOGGER.debug("Creating LDAP context for: " +userDn);
if (StringUtils.isEmpty(userDn) || StringUtils.isEmpty(password)) {
throw new NamingException("Username or password cannot be empty or null");
}
final Hashtable<String, String> env = new Hashtable<>();
if (StringUtils.isNotBlank(LDAP_SECURITY_AUTH)) {
env.put(Context.SECURITY_AUTHENTICATION, LDAP_SECURITY_AUTH);
}
env.put(Context.SECURITY_PRINCIPAL, userDn);
env.put(Context.SECURITY_CREDENTIALS, password);
env.put(Context.INITIAL_CONTEXT_FACTORY, "com.sun.jndi.ldap.LdapCtxFactory");
env.put(Context.PROVIDER_URL, LDAP_URL);
if (IS_LDAP_SSLTLS) {
env.put("java.naming.ldap.factory.socket", "alpine.crypto.RelaxedSSLSocketFactory");
}
try {
return new InitialLdapContext(env, null);
} catch (CommunicationException e) {
LOGGER.error("Failed to connect to directory server", e);
throw(e);
} catch (NamingException e) {
throw new NamingException("Failed to authenticate user");
}
} | java | public LdapContext createLdapContext(final String userDn, final String password) throws NamingException {
LOGGER.debug("Creating LDAP context for: " +userDn);
if (StringUtils.isEmpty(userDn) || StringUtils.isEmpty(password)) {
throw new NamingException("Username or password cannot be empty or null");
}
final Hashtable<String, String> env = new Hashtable<>();
if (StringUtils.isNotBlank(LDAP_SECURITY_AUTH)) {
env.put(Context.SECURITY_AUTHENTICATION, LDAP_SECURITY_AUTH);
}
env.put(Context.SECURITY_PRINCIPAL, userDn);
env.put(Context.SECURITY_CREDENTIALS, password);
env.put(Context.INITIAL_CONTEXT_FACTORY, "com.sun.jndi.ldap.LdapCtxFactory");
env.put(Context.PROVIDER_URL, LDAP_URL);
if (IS_LDAP_SSLTLS) {
env.put("java.naming.ldap.factory.socket", "alpine.crypto.RelaxedSSLSocketFactory");
}
try {
return new InitialLdapContext(env, null);
} catch (CommunicationException e) {
LOGGER.error("Failed to connect to directory server", e);
throw(e);
} catch (NamingException e) {
throw new NamingException("Failed to authenticate user");
}
} | [
"public",
"LdapContext",
"createLdapContext",
"(",
"final",
"String",
"userDn",
",",
"final",
"String",
"password",
")",
"throws",
"NamingException",
"{",
"LOGGER",
".",
"debug",
"(",
"\"Creating LDAP context for: \"",
"+",
"userDn",
")",
";",
"if",
"(",
"StringUtils",
".",
"isEmpty",
"(",
"userDn",
")",
"||",
"StringUtils",
".",
"isEmpty",
"(",
"password",
")",
")",
"{",
"throw",
"new",
"NamingException",
"(",
"\"Username or password cannot be empty or null\"",
")",
";",
"}",
"final",
"Hashtable",
"<",
"String",
",",
"String",
">",
"env",
"=",
"new",
"Hashtable",
"<>",
"(",
")",
";",
"if",
"(",
"StringUtils",
".",
"isNotBlank",
"(",
"LDAP_SECURITY_AUTH",
")",
")",
"{",
"env",
".",
"put",
"(",
"Context",
".",
"SECURITY_AUTHENTICATION",
",",
"LDAP_SECURITY_AUTH",
")",
";",
"}",
"env",
".",
"put",
"(",
"Context",
".",
"SECURITY_PRINCIPAL",
",",
"userDn",
")",
";",
"env",
".",
"put",
"(",
"Context",
".",
"SECURITY_CREDENTIALS",
",",
"password",
")",
";",
"env",
".",
"put",
"(",
"Context",
".",
"INITIAL_CONTEXT_FACTORY",
",",
"\"com.sun.jndi.ldap.LdapCtxFactory\"",
")",
";",
"env",
".",
"put",
"(",
"Context",
".",
"PROVIDER_URL",
",",
"LDAP_URL",
")",
";",
"if",
"(",
"IS_LDAP_SSLTLS",
")",
"{",
"env",
".",
"put",
"(",
"\"java.naming.ldap.factory.socket\"",
",",
"\"alpine.crypto.RelaxedSSLSocketFactory\"",
")",
";",
"}",
"try",
"{",
"return",
"new",
"InitialLdapContext",
"(",
"env",
",",
"null",
")",
";",
"}",
"catch",
"(",
"CommunicationException",
"e",
")",
"{",
"LOGGER",
".",
"error",
"(",
"\"Failed to connect to directory server\"",
",",
"e",
")",
";",
"throw",
"(",
"e",
")",
";",
"}",
"catch",
"(",
"NamingException",
"e",
")",
"{",
"throw",
"new",
"NamingException",
"(",
"\"Failed to authenticate user\"",
")",
";",
"}",
"}"
] | Asserts a users credentials. Returns an LdapContext if assertion is successful
or an exception for any other reason.
@param userDn the users DN to assert
@param password the password to assert
@return the LdapContext upon a successful connection
@throws NamingException when unable to establish a connection
@since 1.4.0 | [
"Asserts",
"a",
"users",
"credentials",
".",
"Returns",
"an",
"LdapContext",
"if",
"assertion",
"is",
"successful",
"or",
"an",
"exception",
"for",
"any",
"other",
"reason",
"."
] | train | https://github.com/stevespringett/Alpine/blob/6c5ef5e1ba4f38922096f1307d3950c09edb3093/alpine/src/main/java/alpine/auth/LdapConnectionWrapper.java#L82-L106 |
lucee/Lucee | core/src/main/java/lucee/runtime/op/Caster.java | Caster.toVariableName | public static String toVariableName(Object o, String defaultValue) {
"""
cast a Object to a Variable Name
@param o Object to cast
@param defaultValue
@return casted Variable Name
"""
String str = toString(o, null);
if (str == null || !Decision.isVariableName(str)) return defaultValue;
return str;
} | java | public static String toVariableName(Object o, String defaultValue) {
String str = toString(o, null);
if (str == null || !Decision.isVariableName(str)) return defaultValue;
return str;
} | [
"public",
"static",
"String",
"toVariableName",
"(",
"Object",
"o",
",",
"String",
"defaultValue",
")",
"{",
"String",
"str",
"=",
"toString",
"(",
"o",
",",
"null",
")",
";",
"if",
"(",
"str",
"==",
"null",
"||",
"!",
"Decision",
".",
"isVariableName",
"(",
"str",
")",
")",
"return",
"defaultValue",
";",
"return",
"str",
";",
"}"
] | cast a Object to a Variable Name
@param o Object to cast
@param defaultValue
@return casted Variable Name | [
"cast",
"a",
"Object",
"to",
"a",
"Variable",
"Name"
] | train | https://github.com/lucee/Lucee/blob/29b153fc4e126e5edb97da937f2ee2e231b87593/core/src/main/java/lucee/runtime/op/Caster.java#L3165-L3170 |
jbundle/jbundle | base/base/src/main/java/org/jbundle/base/field/event/ReadSecondaryHandler.java | ReadSecondaryHandler.addFieldSeqPair | public MoveOnValidHandler addFieldSeqPair(int iDestFieldSeq, int iSourceFieldSeq, boolean bMoveToDependent, boolean bMoveBackOnChange, Converter convCheckMark, Converter convBackconvCheckMark) {
"""
Add the set of fields that will move on a valid record.
@param iDestFieldSeq The destination field.
@param iSourceFieldSeq The source field.
@param bMoveToDependent If true adds a MoveOnValidHandler to the secondary record.
@param bMoveBackOnChange If true, adds a CopyFieldHandler to the destination field (moves to the source).
@param convCheckMark Check mark to check before moving.
@param convBackconvCheckMark Check mark to check before moving back.
""" // BaseField will return iSourceFieldSeq if m_OwnerField is 'Y'es
return this.addFieldPair(this.getOwner().getRecord().getField(iDestFieldSeq), m_record.getField(iSourceFieldSeq),
bMoveToDependent, bMoveBackOnChange, convCheckMark, convBackconvCheckMark);
} | java | public MoveOnValidHandler addFieldSeqPair(int iDestFieldSeq, int iSourceFieldSeq, boolean bMoveToDependent, boolean bMoveBackOnChange, Converter convCheckMark, Converter convBackconvCheckMark)
{ // BaseField will return iSourceFieldSeq if m_OwnerField is 'Y'es
return this.addFieldPair(this.getOwner().getRecord().getField(iDestFieldSeq), m_record.getField(iSourceFieldSeq),
bMoveToDependent, bMoveBackOnChange, convCheckMark, convBackconvCheckMark);
} | [
"public",
"MoveOnValidHandler",
"addFieldSeqPair",
"(",
"int",
"iDestFieldSeq",
",",
"int",
"iSourceFieldSeq",
",",
"boolean",
"bMoveToDependent",
",",
"boolean",
"bMoveBackOnChange",
",",
"Converter",
"convCheckMark",
",",
"Converter",
"convBackconvCheckMark",
")",
"{",
"// BaseField will return iSourceFieldSeq if m_OwnerField is 'Y'es",
"return",
"this",
".",
"addFieldPair",
"(",
"this",
".",
"getOwner",
"(",
")",
".",
"getRecord",
"(",
")",
".",
"getField",
"(",
"iDestFieldSeq",
")",
",",
"m_record",
".",
"getField",
"(",
"iSourceFieldSeq",
")",
",",
"bMoveToDependent",
",",
"bMoveBackOnChange",
",",
"convCheckMark",
",",
"convBackconvCheckMark",
")",
";",
"}"
] | Add the set of fields that will move on a valid record.
@param iDestFieldSeq The destination field.
@param iSourceFieldSeq The source field.
@param bMoveToDependent If true adds a MoveOnValidHandler to the secondary record.
@param bMoveBackOnChange If true, adds a CopyFieldHandler to the destination field (moves to the source).
@param convCheckMark Check mark to check before moving.
@param convBackconvCheckMark Check mark to check before moving back. | [
"Add",
"the",
"set",
"of",
"fields",
"that",
"will",
"move",
"on",
"a",
"valid",
"record",
"."
] | train | https://github.com/jbundle/jbundle/blob/4037fcfa85f60c7d0096c453c1a3cd573c2b0abc/base/base/src/main/java/org/jbundle/base/field/event/ReadSecondaryHandler.java#L264-L268 |
ReactiveX/RxJavaAsyncUtil | src/main/java/rx/util/async/Async.java | Async.toAsync | public static <T1, T2, T3, T4, T5, T6> Func6<T1, T2, T3, T4, T5, T6, Observable<Void>> toAsync(Action6<? super T1, ? super T2, ? super T3, ? super T4, ? super T5, ? super T6> action) {
"""
Convert a synchronous action call into an asynchronous function call through an Observable.
<p>
<img width="640" src="https://raw.github.com/wiki/ReactiveX/RxJava/images/rx-operators/toAsync.an.png" alt="">
@param <T1> the first parameter type
@param <T2> the second parameter type
@param <T3> the third parameter type
@param <T4> the fourth parameter type
@param <T5> the fifth parameter type
@param <T6> the sixth parameter type
@param action the action to convert
@return a function that returns an Observable that executes the {@code action} and emits {@code null}
@see <a href="https://github.com/ReactiveX/RxJava/wiki/Async-Operators#wiki-toasync-or-asyncaction-or-asyncfunc">RxJava Wiki: toAsync()</a>
@see <a href="http://msdn.microsoft.com/en-us/library/hh211773.aspx">MSDN: Observable.ToAsync</a>
"""
return toAsync(action, Schedulers.computation());
} | java | public static <T1, T2, T3, T4, T5, T6> Func6<T1, T2, T3, T4, T5, T6, Observable<Void>> toAsync(Action6<? super T1, ? super T2, ? super T3, ? super T4, ? super T5, ? super T6> action) {
return toAsync(action, Schedulers.computation());
} | [
"public",
"static",
"<",
"T1",
",",
"T2",
",",
"T3",
",",
"T4",
",",
"T5",
",",
"T6",
">",
"Func6",
"<",
"T1",
",",
"T2",
",",
"T3",
",",
"T4",
",",
"T5",
",",
"T6",
",",
"Observable",
"<",
"Void",
">",
">",
"toAsync",
"(",
"Action6",
"<",
"?",
"super",
"T1",
",",
"?",
"super",
"T2",
",",
"?",
"super",
"T3",
",",
"?",
"super",
"T4",
",",
"?",
"super",
"T5",
",",
"?",
"super",
"T6",
">",
"action",
")",
"{",
"return",
"toAsync",
"(",
"action",
",",
"Schedulers",
".",
"computation",
"(",
")",
")",
";",
"}"
] | Convert a synchronous action call into an asynchronous function call through an Observable.
<p>
<img width="640" src="https://raw.github.com/wiki/ReactiveX/RxJava/images/rx-operators/toAsync.an.png" alt="">
@param <T1> the first parameter type
@param <T2> the second parameter type
@param <T3> the third parameter type
@param <T4> the fourth parameter type
@param <T5> the fifth parameter type
@param <T6> the sixth parameter type
@param action the action to convert
@return a function that returns an Observable that executes the {@code action} and emits {@code null}
@see <a href="https://github.com/ReactiveX/RxJava/wiki/Async-Operators#wiki-toasync-or-asyncaction-or-asyncfunc">RxJava Wiki: toAsync()</a>
@see <a href="http://msdn.microsoft.com/en-us/library/hh211773.aspx">MSDN: Observable.ToAsync</a> | [
"Convert",
"a",
"synchronous",
"action",
"call",
"into",
"an",
"asynchronous",
"function",
"call",
"through",
"an",
"Observable",
".",
"<p",
">",
"<img",
"width",
"=",
"640",
"src",
"=",
"https",
":",
"//",
"raw",
".",
"github",
".",
"com",
"/",
"wiki",
"/",
"ReactiveX",
"/",
"RxJava",
"/",
"images",
"/",
"rx",
"-",
"operators",
"/",
"toAsync",
".",
"an",
".",
"png",
"alt",
"=",
">"
] | train | https://github.com/ReactiveX/RxJavaAsyncUtil/blob/6294e1da30e639df79f76399906229314c14e74d/src/main/java/rx/util/async/Async.java#L461-L463 |
Samsung/GearVRf | GVRf/Extensions/3DCursor/IODevices/gearwear/GearWearIoDevice/src/main/java/com/gearvrf/io/gearwear/GearWearableDevice.java | GearWearableDevice.isInMiddleCircle | private boolean isInMiddleCircle(float x, float y) {
"""
Check if position is in middle circle (press region)
@param x x position
@param y y position
@return true if in middle circle, false otherwise
"""
return GearWearableUtility.isInCircle(x, y, CENTER_X, CENTER_Y, MIDDLE_RADIUS);
} | java | private boolean isInMiddleCircle(float x, float y) {
return GearWearableUtility.isInCircle(x, y, CENTER_X, CENTER_Y, MIDDLE_RADIUS);
} | [
"private",
"boolean",
"isInMiddleCircle",
"(",
"float",
"x",
",",
"float",
"y",
")",
"{",
"return",
"GearWearableUtility",
".",
"isInCircle",
"(",
"x",
",",
"y",
",",
"CENTER_X",
",",
"CENTER_Y",
",",
"MIDDLE_RADIUS",
")",
";",
"}"
] | Check if position is in middle circle (press region)
@param x x position
@param y y position
@return true if in middle circle, false otherwise | [
"Check",
"if",
"position",
"is",
"in",
"middle",
"circle",
"(",
"press",
"region",
")"
] | train | https://github.com/Samsung/GearVRf/blob/05034d465a7b0a494fabb9e9f2971ac19392f32d/GVRf/Extensions/3DCursor/IODevices/gearwear/GearWearIoDevice/src/main/java/com/gearvrf/io/gearwear/GearWearableDevice.java#L628-L630 |
intendia-oss/rxjava-gwt | src/main/modified/io/reactivex/super/io/reactivex/Flowable.java | Flowable.concatMapMaybe | @CheckReturnValue
@BackpressureSupport(BackpressureKind.FULL)
@SchedulerSupport(SchedulerSupport.NONE)
public final <R> Flowable<R> concatMapMaybe(Function<? super T, ? extends MaybeSource<? extends R>> mapper, int prefetch) {
"""
Maps the upstream items into {@link MaybeSource}s and subscribes to them one after the
other succeeds or completes, emits their success value if available or terminates immediately if
either this {@code Flowable} or the current inner {@code MaybeSource} fail.
<p>
<img width="640" height="305" src="https://raw.github.com/wiki/ReactiveX/RxJava/images/rx-operators/concatMap.png" alt="">
<dl>
<dt><b>Backpressure:</b></dt>
<dd>The operator expects the upstream to support backpressure and honors
the backpressure from downstream. If this {@code Flowable} violates the rule, the operator will
signal a {@code MissingBackpressureException}.</dd>
<dt><b>Scheduler:</b></dt>
<dd>{@code concatMapMaybe} does not operate by default on a particular {@link Scheduler}.</dd>
</dl>
<p>History: 2.1.11 - experimental
@param <R> the result type of the inner {@code MaybeSource}s
@param mapper the function called with the upstream item and should return
a {@code MaybeSource} to become the next source to
be subscribed to
@param prefetch The number of upstream items to prefetch so that fresh items are
ready to be mapped when a previous {@code MaybeSource} terminates.
The operator replenishes after half of the prefetch amount has been consumed
and turned into {@code MaybeSource}s.
@return a new Flowable instance
@see #concatMapMaybe(Function)
@see #concatMapMaybeDelayError(Function, boolean, int)
@since 2.2
"""
ObjectHelper.requireNonNull(mapper, "mapper is null");
ObjectHelper.verifyPositive(prefetch, "prefetch");
return RxJavaPlugins.onAssembly(new FlowableConcatMapMaybe<T, R>(this, mapper, ErrorMode.IMMEDIATE, prefetch));
} | java | @CheckReturnValue
@BackpressureSupport(BackpressureKind.FULL)
@SchedulerSupport(SchedulerSupport.NONE)
public final <R> Flowable<R> concatMapMaybe(Function<? super T, ? extends MaybeSource<? extends R>> mapper, int prefetch) {
ObjectHelper.requireNonNull(mapper, "mapper is null");
ObjectHelper.verifyPositive(prefetch, "prefetch");
return RxJavaPlugins.onAssembly(new FlowableConcatMapMaybe<T, R>(this, mapper, ErrorMode.IMMEDIATE, prefetch));
} | [
"@",
"CheckReturnValue",
"@",
"BackpressureSupport",
"(",
"BackpressureKind",
".",
"FULL",
")",
"@",
"SchedulerSupport",
"(",
"SchedulerSupport",
".",
"NONE",
")",
"public",
"final",
"<",
"R",
">",
"Flowable",
"<",
"R",
">",
"concatMapMaybe",
"(",
"Function",
"<",
"?",
"super",
"T",
",",
"?",
"extends",
"MaybeSource",
"<",
"?",
"extends",
"R",
">",
">",
"mapper",
",",
"int",
"prefetch",
")",
"{",
"ObjectHelper",
".",
"requireNonNull",
"(",
"mapper",
",",
"\"mapper is null\"",
")",
";",
"ObjectHelper",
".",
"verifyPositive",
"(",
"prefetch",
",",
"\"prefetch\"",
")",
";",
"return",
"RxJavaPlugins",
".",
"onAssembly",
"(",
"new",
"FlowableConcatMapMaybe",
"<",
"T",
",",
"R",
">",
"(",
"this",
",",
"mapper",
",",
"ErrorMode",
".",
"IMMEDIATE",
",",
"prefetch",
")",
")",
";",
"}"
] | Maps the upstream items into {@link MaybeSource}s and subscribes to them one after the
other succeeds or completes, emits their success value if available or terminates immediately if
either this {@code Flowable} or the current inner {@code MaybeSource} fail.
<p>
<img width="640" height="305" src="https://raw.github.com/wiki/ReactiveX/RxJava/images/rx-operators/concatMap.png" alt="">
<dl>
<dt><b>Backpressure:</b></dt>
<dd>The operator expects the upstream to support backpressure and honors
the backpressure from downstream. If this {@code Flowable} violates the rule, the operator will
signal a {@code MissingBackpressureException}.</dd>
<dt><b>Scheduler:</b></dt>
<dd>{@code concatMapMaybe} does not operate by default on a particular {@link Scheduler}.</dd>
</dl>
<p>History: 2.1.11 - experimental
@param <R> the result type of the inner {@code MaybeSource}s
@param mapper the function called with the upstream item and should return
a {@code MaybeSource} to become the next source to
be subscribed to
@param prefetch The number of upstream items to prefetch so that fresh items are
ready to be mapped when a previous {@code MaybeSource} terminates.
The operator replenishes after half of the prefetch amount has been consumed
and turned into {@code MaybeSource}s.
@return a new Flowable instance
@see #concatMapMaybe(Function)
@see #concatMapMaybeDelayError(Function, boolean, int)
@since 2.2 | [
"Maps",
"the",
"upstream",
"items",
"into",
"{"
] | train | https://github.com/intendia-oss/rxjava-gwt/blob/8d5635b12ce40da99e76b59dc6bfe6fc2fffc1fa/src/main/modified/io/reactivex/super/io/reactivex/Flowable.java#L7615-L7622 |
google/j2objc | jre_emul/android/platform/libcore/ojluni/src/main/java/java/util/concurrent/atomic/AtomicMarkableReference.java | AtomicMarkableReference.attemptMark | public boolean attemptMark(V expectedReference, boolean newMark) {
"""
Atomically sets the value of the mark to the given update value
if the current reference is {@code ==} to the expected
reference. Any given invocation of this operation may fail
(return {@code false}) spuriously, but repeated invocation
when the current value holds the expected value and no other
thread is also attempting to set the value will eventually
succeed.
@param expectedReference the expected value of the reference
@param newMark the new value for the mark
@return {@code true} if successful
"""
Pair<V> current = pair;
return
expectedReference == current.reference &&
(newMark == current.mark ||
casPair(current, Pair.of(expectedReference, newMark)));
} | java | public boolean attemptMark(V expectedReference, boolean newMark) {
Pair<V> current = pair;
return
expectedReference == current.reference &&
(newMark == current.mark ||
casPair(current, Pair.of(expectedReference, newMark)));
} | [
"public",
"boolean",
"attemptMark",
"(",
"V",
"expectedReference",
",",
"boolean",
"newMark",
")",
"{",
"Pair",
"<",
"V",
">",
"current",
"=",
"pair",
";",
"return",
"expectedReference",
"==",
"current",
".",
"reference",
"&&",
"(",
"newMark",
"==",
"current",
".",
"mark",
"||",
"casPair",
"(",
"current",
",",
"Pair",
".",
"of",
"(",
"expectedReference",
",",
"newMark",
")",
")",
")",
";",
"}"
] | Atomically sets the value of the mark to the given update value
if the current reference is {@code ==} to the expected
reference. Any given invocation of this operation may fail
(return {@code false}) spuriously, but repeated invocation
when the current value holds the expected value and no other
thread is also attempting to set the value will eventually
succeed.
@param expectedReference the expected value of the reference
@param newMark the new value for the mark
@return {@code true} if successful | [
"Atomically",
"sets",
"the",
"value",
"of",
"the",
"mark",
"to",
"the",
"given",
"update",
"value",
"if",
"the",
"current",
"reference",
"is",
"{",
"@code",
"==",
"}",
"to",
"the",
"expected",
"reference",
".",
"Any",
"given",
"invocation",
"of",
"this",
"operation",
"may",
"fail",
"(",
"return",
"{",
"@code",
"false",
"}",
")",
"spuriously",
"but",
"repeated",
"invocation",
"when",
"the",
"current",
"value",
"holds",
"the",
"expected",
"value",
"and",
"no",
"other",
"thread",
"is",
"also",
"attempting",
"to",
"set",
"the",
"value",
"will",
"eventually",
"succeed",
"."
] | train | https://github.com/google/j2objc/blob/471504a735b48d5d4ace51afa1542cc4790a921a/jre_emul/android/platform/libcore/ojluni/src/main/java/java/util/concurrent/atomic/AtomicMarkableReference.java#L183-L189 |
wmdietl/jsr308-langtools | src/share/classes/com/sun/tools/doclets/internal/toolkit/taglets/BasePropertyTaglet.java | BasePropertyTaglet.getTagletOutput | public Content getTagletOutput(Tag tag, TagletWriter tagletWriter) {
"""
Given the <code>Tag</code> representation of this custom
tag, return its string representation, which is output
to the generated page.
@param tag the <code>Tag</code> representation of this custom tag.
@param tagletWriter the taglet writer for output.
@return the TagletOutput representation of this <code>Tag</code>.
"""
return tagletWriter.propertyTagOutput(tag, getText(tagletWriter));
} | java | public Content getTagletOutput(Tag tag, TagletWriter tagletWriter) {
return tagletWriter.propertyTagOutput(tag, getText(tagletWriter));
} | [
"public",
"Content",
"getTagletOutput",
"(",
"Tag",
"tag",
",",
"TagletWriter",
"tagletWriter",
")",
"{",
"return",
"tagletWriter",
".",
"propertyTagOutput",
"(",
"tag",
",",
"getText",
"(",
"tagletWriter",
")",
")",
";",
"}"
] | Given the <code>Tag</code> representation of this custom
tag, return its string representation, which is output
to the generated page.
@param tag the <code>Tag</code> representation of this custom tag.
@param tagletWriter the taglet writer for output.
@return the TagletOutput representation of this <code>Tag</code>. | [
"Given",
"the",
"<code",
">",
"Tag<",
"/",
"code",
">",
"representation",
"of",
"this",
"custom",
"tag",
"return",
"its",
"string",
"representation",
"which",
"is",
"output",
"to",
"the",
"generated",
"page",
"."
] | train | https://github.com/wmdietl/jsr308-langtools/blob/8812d28c20f4de070a0dd6de1b45602431379834/src/share/classes/com/sun/tools/doclets/internal/toolkit/taglets/BasePropertyTaglet.java#L63-L65 |
khuxtable/seaglass | src/main/java/com/seaglasslookandfeel/SeaGlassLookAndFeel.java | SeaGlassLookAndFeel.defineInternalFrameMenuButtons | private void defineInternalFrameMenuButtons(UIDefaults d) {
"""
Initialize the internal frame menu button settings.
@param d the UI defaults map.
"""
String p = "InternalFrame:InternalFrameTitlePane:\"InternalFrameTitlePane.menuButton\"";
String c = PAINTER_PREFIX + "TitlePaneMenuButtonPainter";
d.put(p + ".WindowNotFocused", new TitlePaneMenuButtonWindowNotFocusedState());
d.put(p + ".contentMargins", new InsetsUIResource(0, 0, 0, 0));
// Set the states for the Menu button.
d.put(p + "[Enabled].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_ENABLED));
d.put(p + "[Disabled].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_DISABLED));
d.put(p + "[MouseOver].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_MOUSEOVER));
d.put(p + "[Pressed].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_PRESSED));
d.put(p + "[Enabled+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_ENABLED_WINDOWNOTFOCUSED));
d.put(p + "[MouseOver+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_MOUSEOVER_WINDOWNOTFOCUSED));
d.put(p + "[Pressed+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_PRESSED_WINDOWNOTFOCUSED));
d.put(p + ".icon", new SeaGlassIcon(p, "iconPainter", 19, 18));
} | java | private void defineInternalFrameMenuButtons(UIDefaults d) {
String p = "InternalFrame:InternalFrameTitlePane:\"InternalFrameTitlePane.menuButton\"";
String c = PAINTER_PREFIX + "TitlePaneMenuButtonPainter";
d.put(p + ".WindowNotFocused", new TitlePaneMenuButtonWindowNotFocusedState());
d.put(p + ".contentMargins", new InsetsUIResource(0, 0, 0, 0));
// Set the states for the Menu button.
d.put(p + "[Enabled].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_ENABLED));
d.put(p + "[Disabled].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_DISABLED));
d.put(p + "[MouseOver].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_MOUSEOVER));
d.put(p + "[Pressed].iconPainter", new LazyPainter(c, TitlePaneMenuButtonPainter.Which.ICON_PRESSED));
d.put(p + "[Enabled+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_ENABLED_WINDOWNOTFOCUSED));
d.put(p + "[MouseOver+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_MOUSEOVER_WINDOWNOTFOCUSED));
d.put(p + "[Pressed+WindowNotFocused].iconPainter",
new LazyPainter(c,
TitlePaneMenuButtonPainter.Which.ICON_PRESSED_WINDOWNOTFOCUSED));
d.put(p + ".icon", new SeaGlassIcon(p, "iconPainter", 19, 18));
} | [
"private",
"void",
"defineInternalFrameMenuButtons",
"(",
"UIDefaults",
"d",
")",
"{",
"String",
"p",
"=",
"\"InternalFrame:InternalFrameTitlePane:\\\"InternalFrameTitlePane.menuButton\\\"\"",
";",
"String",
"c",
"=",
"PAINTER_PREFIX",
"+",
"\"TitlePaneMenuButtonPainter\"",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\".WindowNotFocused\"",
",",
"new",
"TitlePaneMenuButtonWindowNotFocusedState",
"(",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\".contentMargins\"",
",",
"new",
"InsetsUIResource",
"(",
"0",
",",
"0",
",",
"0",
",",
"0",
")",
")",
";",
"// Set the states for the Menu button.",
"d",
".",
"put",
"(",
"p",
"+",
"\"[Enabled].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_ENABLED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[Disabled].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_DISABLED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[MouseOver].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_MOUSEOVER",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[Pressed].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_PRESSED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[Enabled+WindowNotFocused].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_ENABLED_WINDOWNOTFOCUSED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[MouseOver+WindowNotFocused].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_MOUSEOVER_WINDOWNOTFOCUSED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\"[Pressed+WindowNotFocused].iconPainter\"",
",",
"new",
"LazyPainter",
"(",
"c",
",",
"TitlePaneMenuButtonPainter",
".",
"Which",
".",
"ICON_PRESSED_WINDOWNOTFOCUSED",
")",
")",
";",
"d",
".",
"put",
"(",
"p",
"+",
"\".icon\"",
",",
"new",
"SeaGlassIcon",
"(",
"p",
",",
"\"iconPainter\"",
",",
"19",
",",
"18",
")",
")",
";",
"}"
] | Initialize the internal frame menu button settings.
@param d the UI defaults map. | [
"Initialize",
"the",
"internal",
"frame",
"menu",
"button",
"settings",
"."
] | train | https://github.com/khuxtable/seaglass/blob/f25ecba622923d7b29b64cb7d6068dd8005989b3/src/main/java/com/seaglasslookandfeel/SeaGlassLookAndFeel.java#L1362-L1385 |
orbisgis/h2gis | h2gis-utilities/src/main/java/org/h2gis/utilities/JDBCUtilities.java | JDBCUtilities.isTemporaryTable | public static boolean isTemporaryTable(Connection connection, String tableReference) throws SQLException {
"""
Read INFORMATION_SCHEMA.TABLES in order to see if the provided table reference is a temporary table.
@param connection Active connection not closed by this method
@param tableReference Table reference
@return True if the provided table is temporary.
@throws SQLException If the table does not exists.
"""
TableLocation location = TableLocation.parse(tableReference);
ResultSet rs = getTablesView(connection, location.getCatalog(), location.getSchema(), location.getTable());
boolean isTemporary = false;
try {
if(rs.next()) {
String tableType;
if(hasField(rs.getMetaData(), "STORAGE_TYPE")) {
// H2
tableType = rs.getString("STORAGE_TYPE");
} else {
// Standard SQL
tableType = rs.getString("TABLE_TYPE");
}
isTemporary = tableType.contains("TEMPORARY");
} else {
throw new SQLException("The table "+location+" does not exists");
}
} finally {
rs.close();
}
return isTemporary;
} | java | public static boolean isTemporaryTable(Connection connection, String tableReference) throws SQLException {
TableLocation location = TableLocation.parse(tableReference);
ResultSet rs = getTablesView(connection, location.getCatalog(), location.getSchema(), location.getTable());
boolean isTemporary = false;
try {
if(rs.next()) {
String tableType;
if(hasField(rs.getMetaData(), "STORAGE_TYPE")) {
// H2
tableType = rs.getString("STORAGE_TYPE");
} else {
// Standard SQL
tableType = rs.getString("TABLE_TYPE");
}
isTemporary = tableType.contains("TEMPORARY");
} else {
throw new SQLException("The table "+location+" does not exists");
}
} finally {
rs.close();
}
return isTemporary;
} | [
"public",
"static",
"boolean",
"isTemporaryTable",
"(",
"Connection",
"connection",
",",
"String",
"tableReference",
")",
"throws",
"SQLException",
"{",
"TableLocation",
"location",
"=",
"TableLocation",
".",
"parse",
"(",
"tableReference",
")",
";",
"ResultSet",
"rs",
"=",
"getTablesView",
"(",
"connection",
",",
"location",
".",
"getCatalog",
"(",
")",
",",
"location",
".",
"getSchema",
"(",
")",
",",
"location",
".",
"getTable",
"(",
")",
")",
";",
"boolean",
"isTemporary",
"=",
"false",
";",
"try",
"{",
"if",
"(",
"rs",
".",
"next",
"(",
")",
")",
"{",
"String",
"tableType",
";",
"if",
"(",
"hasField",
"(",
"rs",
".",
"getMetaData",
"(",
")",
",",
"\"STORAGE_TYPE\"",
")",
")",
"{",
"// H2",
"tableType",
"=",
"rs",
".",
"getString",
"(",
"\"STORAGE_TYPE\"",
")",
";",
"}",
"else",
"{",
"// Standard SQL",
"tableType",
"=",
"rs",
".",
"getString",
"(",
"\"TABLE_TYPE\"",
")",
";",
"}",
"isTemporary",
"=",
"tableType",
".",
"contains",
"(",
"\"TEMPORARY\"",
")",
";",
"}",
"else",
"{",
"throw",
"new",
"SQLException",
"(",
"\"The table \"",
"+",
"location",
"+",
"\" does not exists\"",
")",
";",
"}",
"}",
"finally",
"{",
"rs",
".",
"close",
"(",
")",
";",
"}",
"return",
"isTemporary",
";",
"}"
] | Read INFORMATION_SCHEMA.TABLES in order to see if the provided table reference is a temporary table.
@param connection Active connection not closed by this method
@param tableReference Table reference
@return True if the provided table is temporary.
@throws SQLException If the table does not exists. | [
"Read",
"INFORMATION_SCHEMA",
".",
"TABLES",
"in",
"order",
"to",
"see",
"if",
"the",
"provided",
"table",
"reference",
"is",
"a",
"temporary",
"table",
"."
] | train | https://github.com/orbisgis/h2gis/blob/9cd70b447e6469cecbc2fc64b16774b59491df3b/h2gis-utilities/src/main/java/org/h2gis/utilities/JDBCUtilities.java#L202-L224 |
att/AAF | inno/xgen/src/main/java/com/att/xgen/XGenBuff.java | XGenBuff.run | @SuppressWarnings( {
"""
Special Case where code is dynamic, so give access to State and Trans info
@param state
@param trans
@param cache
@param code
@throws APIException
@throws IOException
""" "unchecked", "rawtypes" })
public void run(State<Env> state, Trans trans, Cache cache, DynamicCode code) throws APIException, IOException {
code.code(state, trans, cache, xgen);
} | java | @SuppressWarnings({ "unchecked", "rawtypes" })
public void run(State<Env> state, Trans trans, Cache cache, DynamicCode code) throws APIException, IOException {
code.code(state, trans, cache, xgen);
} | [
"@",
"SuppressWarnings",
"(",
"{",
"\"unchecked\"",
",",
"\"rawtypes\"",
"}",
")",
"public",
"void",
"run",
"(",
"State",
"<",
"Env",
">",
"state",
",",
"Trans",
"trans",
",",
"Cache",
"cache",
",",
"DynamicCode",
"code",
")",
"throws",
"APIException",
",",
"IOException",
"{",
"code",
".",
"code",
"(",
"state",
",",
"trans",
",",
"cache",
",",
"xgen",
")",
";",
"}"
] | Special Case where code is dynamic, so give access to State and Trans info
@param state
@param trans
@param cache
@param code
@throws APIException
@throws IOException | [
"Special",
"Case",
"where",
"code",
"is",
"dynamic",
"so",
"give",
"access",
"to",
"State",
"and",
"Trans",
"info"
] | train | https://github.com/att/AAF/blob/090562e956c0035db972aafba844dc6d3fc948ee/inno/xgen/src/main/java/com/att/xgen/XGenBuff.java#L46-L49 |
gallandarakhneorg/afc | core/util/src/main/java/org/arakhne/afc/util/ListUtil.java | ListUtil.getInsertionIndex | @Pure
public static <T> int getInsertionIndex(List<T> list, Comparator<? super T> comparator, T elt) {
"""
Replies the index at which the given element may
be added in a sorted list.
<p>This function assumes that the given list is sorted
according to the given comparator.
A dichotomic algorithm is used.
<p>This function assumes that the given {@code elt}
may appear many times in the list.
@param <T> is the type of the elements.
@param comparator is the comparator used to sort the list.
@param elt is the element to add in.
@param list is the list inside which the element should be added.
@return the index at which the element may be added.
"""
return getInsertionIndex(list, comparator, elt, true);
} | java | @Pure
public static <T> int getInsertionIndex(List<T> list, Comparator<? super T> comparator, T elt) {
return getInsertionIndex(list, comparator, elt, true);
} | [
"@",
"Pure",
"public",
"static",
"<",
"T",
">",
"int",
"getInsertionIndex",
"(",
"List",
"<",
"T",
">",
"list",
",",
"Comparator",
"<",
"?",
"super",
"T",
">",
"comparator",
",",
"T",
"elt",
")",
"{",
"return",
"getInsertionIndex",
"(",
"list",
",",
"comparator",
",",
"elt",
",",
"true",
")",
";",
"}"
] | Replies the index at which the given element may
be added in a sorted list.
<p>This function assumes that the given list is sorted
according to the given comparator.
A dichotomic algorithm is used.
<p>This function assumes that the given {@code elt}
may appear many times in the list.
@param <T> is the type of the elements.
@param comparator is the comparator used to sort the list.
@param elt is the element to add in.
@param list is the list inside which the element should be added.
@return the index at which the element may be added. | [
"Replies",
"the",
"index",
"at",
"which",
"the",
"given",
"element",
"may",
"be",
"added",
"in",
"a",
"sorted",
"list",
"."
] | train | https://github.com/gallandarakhneorg/afc/blob/0c7d2e1ddefd4167ef788416d970a6c1ef6f8bbb/core/util/src/main/java/org/arakhne/afc/util/ListUtil.java#L290-L293 |
menacher/java-game-server | jetserver/src/main/java/org/menacheri/jetserver/handlers/netty/LoginHandler.java | LoginHandler.loginUdp | protected void loginUdp(PlayerSession playerSession, ChannelBuffer buffer) {
"""
This method adds the player session to the
{@link SessionRegistryService}. The key being the remote udp address of
the client and the session being the value.
@param playerSession
@param buffer
Used to read the remote address of the client which is
attempting to connect via udp.
"""
InetSocketAddress remoteAdress = NettyUtils.readSocketAddress(buffer);
if(null != remoteAdress)
{
udpSessionRegistry.putSession(remoteAdress, playerSession);
}
} | java | protected void loginUdp(PlayerSession playerSession, ChannelBuffer buffer)
{
InetSocketAddress remoteAdress = NettyUtils.readSocketAddress(buffer);
if(null != remoteAdress)
{
udpSessionRegistry.putSession(remoteAdress, playerSession);
}
} | [
"protected",
"void",
"loginUdp",
"(",
"PlayerSession",
"playerSession",
",",
"ChannelBuffer",
"buffer",
")",
"{",
"InetSocketAddress",
"remoteAdress",
"=",
"NettyUtils",
".",
"readSocketAddress",
"(",
"buffer",
")",
";",
"if",
"(",
"null",
"!=",
"remoteAdress",
")",
"{",
"udpSessionRegistry",
".",
"putSession",
"(",
"remoteAdress",
",",
"playerSession",
")",
";",
"}",
"}"
] | This method adds the player session to the
{@link SessionRegistryService}. The key being the remote udp address of
the client and the session being the value.
@param playerSession
@param buffer
Used to read the remote address of the client which is
attempting to connect via udp. | [
"This",
"method",
"adds",
"the",
"player",
"session",
"to",
"the",
"{",
"@link",
"SessionRegistryService",
"}",
".",
"The",
"key",
"being",
"the",
"remote",
"udp",
"address",
"of",
"the",
"client",
"and",
"the",
"session",
"being",
"the",
"value",
"."
] | train | https://github.com/menacher/java-game-server/blob/668ca49e8bd1dac43add62378cf6c22a93125d48/jetserver/src/main/java/org/menacheri/jetserver/handlers/netty/LoginHandler.java#L264-L271 |
apache/groovy | subprojects/groovy-swing/src/main/java/org/codehaus/groovy/runtime/SwingGroovyMethods.java | SwingGroovyMethods.leftShift | public static MutableComboBoxModel leftShift(MutableComboBoxModel self, Object i) {
"""
Overloads the left shift operator to provide an easy way to add
items to a MutableComboBoxModel.
@param self a MutableComboBoxModel
@param i an item to be added to the model.
@return same model, after the value was added to it.
@since 1.6.4
"""
self.addElement(i);
return self;
} | java | public static MutableComboBoxModel leftShift(MutableComboBoxModel self, Object i) {
self.addElement(i);
return self;
} | [
"public",
"static",
"MutableComboBoxModel",
"leftShift",
"(",
"MutableComboBoxModel",
"self",
",",
"Object",
"i",
")",
"{",
"self",
".",
"addElement",
"(",
"i",
")",
";",
"return",
"self",
";",
"}"
] | Overloads the left shift operator to provide an easy way to add
items to a MutableComboBoxModel.
@param self a MutableComboBoxModel
@param i an item to be added to the model.
@return same model, after the value was added to it.
@since 1.6.4 | [
"Overloads",
"the",
"left",
"shift",
"operator",
"to",
"provide",
"an",
"easy",
"way",
"to",
"add",
"items",
"to",
"a",
"MutableComboBoxModel",
"."
] | train | https://github.com/apache/groovy/blob/71cf20addb611bb8d097a59e395fd20bc7f31772/subprojects/groovy-swing/src/main/java/org/codehaus/groovy/runtime/SwingGroovyMethods.java#L336-L339 |
khuxtable/seaglass | src/main/java/com/seaglasslookandfeel/component/SeaGlassSplitPaneDivider.java | SeaGlassSplitPaneDivider.createRightOneTouchButton | protected JButton createRightOneTouchButton() {
"""
Creates and return an instance of JButton that can be used to collapse
the right component in the split pane.
@return a one-touch button
"""
SeaGlassArrowButton b = new SeaGlassArrowButton(SwingConstants.NORTH);
int oneTouchSize = lookupOneTouchSize();
b.setName("SplitPaneDivider.rightOneTouchButton");
b.setMinimumSize(new Dimension(oneTouchSize, oneTouchSize));
// Rossi: Change cursors on "one touch" buttons. Better would be an mouse over effect
b.setCursor(Cursor.getPredefinedCursor(
splitPane.getOrientation() ==
JSplitPane.HORIZONTAL_SPLIT ?
Cursor.E_RESIZE_CURSOR:Cursor.S_RESIZE_CURSOR));
b.setFocusPainted(false);
b.setBorderPainted(false);
b.setRequestFocusEnabled(false);
b.setDirection(mapDirection(false));
return b;
} | java | protected JButton createRightOneTouchButton() {
SeaGlassArrowButton b = new SeaGlassArrowButton(SwingConstants.NORTH);
int oneTouchSize = lookupOneTouchSize();
b.setName("SplitPaneDivider.rightOneTouchButton");
b.setMinimumSize(new Dimension(oneTouchSize, oneTouchSize));
// Rossi: Change cursors on "one touch" buttons. Better would be an mouse over effect
b.setCursor(Cursor.getPredefinedCursor(
splitPane.getOrientation() ==
JSplitPane.HORIZONTAL_SPLIT ?
Cursor.E_RESIZE_CURSOR:Cursor.S_RESIZE_CURSOR));
b.setFocusPainted(false);
b.setBorderPainted(false);
b.setRequestFocusEnabled(false);
b.setDirection(mapDirection(false));
return b;
} | [
"protected",
"JButton",
"createRightOneTouchButton",
"(",
")",
"{",
"SeaGlassArrowButton",
"b",
"=",
"new",
"SeaGlassArrowButton",
"(",
"SwingConstants",
".",
"NORTH",
")",
";",
"int",
"oneTouchSize",
"=",
"lookupOneTouchSize",
"(",
")",
";",
"b",
".",
"setName",
"(",
"\"SplitPaneDivider.rightOneTouchButton\"",
")",
";",
"b",
".",
"setMinimumSize",
"(",
"new",
"Dimension",
"(",
"oneTouchSize",
",",
"oneTouchSize",
")",
")",
";",
"// Rossi: Change cursors on \"one touch\" buttons. Better would be an mouse over effect",
"b",
".",
"setCursor",
"(",
"Cursor",
".",
"getPredefinedCursor",
"(",
"splitPane",
".",
"getOrientation",
"(",
")",
"==",
"JSplitPane",
".",
"HORIZONTAL_SPLIT",
"?",
"Cursor",
".",
"E_RESIZE_CURSOR",
":",
"Cursor",
".",
"S_RESIZE_CURSOR",
")",
")",
";",
"b",
".",
"setFocusPainted",
"(",
"false",
")",
";",
"b",
".",
"setBorderPainted",
"(",
"false",
")",
";",
"b",
".",
"setRequestFocusEnabled",
"(",
"false",
")",
";",
"b",
".",
"setDirection",
"(",
"mapDirection",
"(",
"false",
")",
")",
";",
"return",
"b",
";",
"}"
] | Creates and return an instance of JButton that can be used to collapse
the right component in the split pane.
@return a one-touch button | [
"Creates",
"and",
"return",
"an",
"instance",
"of",
"JButton",
"that",
"can",
"be",
"used",
"to",
"collapse",
"the",
"right",
"component",
"in",
"the",
"split",
"pane",
"."
] | train | https://github.com/khuxtable/seaglass/blob/f25ecba622923d7b29b64cb7d6068dd8005989b3/src/main/java/com/seaglasslookandfeel/component/SeaGlassSplitPaneDivider.java#L213-L230 |
upwork/java-upwork | src/com/Upwork/api/Routers/Hr/Jobs.java | Jobs.editJob | public JSONObject editJob(String key, HashMap<String, String> params) throws JSONException {
"""
Edit existent job
@param key Job key
@param params Parameters
@throws JSONException If error occurred
@return {@link JSONObject}
"""
return oClient.put("/hr/v2/jobs/" + key, params);
} | java | public JSONObject editJob(String key, HashMap<String, String> params) throws JSONException {
return oClient.put("/hr/v2/jobs/" + key, params);
} | [
"public",
"JSONObject",
"editJob",
"(",
"String",
"key",
",",
"HashMap",
"<",
"String",
",",
"String",
">",
"params",
")",
"throws",
"JSONException",
"{",
"return",
"oClient",
".",
"put",
"(",
"\"/hr/v2/jobs/\"",
"+",
"key",
",",
"params",
")",
";",
"}"
] | Edit existent job
@param key Job key
@param params Parameters
@throws JSONException If error occurred
@return {@link JSONObject} | [
"Edit",
"existent",
"job"
] | train | https://github.com/upwork/java-upwork/blob/342297161503a74e9e0bddbd381ab5eebf4dc454/src/com/Upwork/api/Routers/Hr/Jobs.java#L87-L89 |
JOML-CI/JOML | src/org/joml/Matrix4x3d.java | Matrix4x3d.setOrtho | public Matrix4x3d setOrtho(double left, double right, double bottom, double top, double zNear, double zFar, boolean zZeroToOne) {
"""
Set this matrix to be an orthographic projection transformation for a right-handed coordinate system
using the given NDC z range.
<p>
In order to apply the orthographic projection to an already existing transformation,
use {@link #ortho(double, double, double, double, double, double, boolean) ortho()}.
<p>
Reference: <a href="http://www.songho.ca/opengl/gl_projectionmatrix.html#ortho">http://www.songho.ca</a>
@see #ortho(double, double, double, double, double, double, boolean)
@param left
the distance from the center to the left frustum edge
@param right
the distance from the center to the right frustum edge
@param bottom
the distance from the center to the bottom frustum edge
@param top
the distance from the center to the top frustum edge
@param zNear
near clipping plane distance
@param zFar
far clipping plane distance
@param zZeroToOne
whether to use Vulkan's and Direct3D's NDC z range of <code>[0..+1]</code> when <code>true</code>
or whether to use OpenGL's NDC z range of <code>[-1..+1]</code> when <code>false</code>
@return this
"""
m00 = 2.0 / (right - left);
m01 = 0.0;
m02 = 0.0;
m10 = 0.0;
m11 = 2.0 / (top - bottom);
m12 = 0.0;
m20 = 0.0;
m21 = 0.0;
m22 = (zZeroToOne ? 1.0 : 2.0) / (zNear - zFar);
m30 = (right + left) / (left - right);
m31 = (top + bottom) / (bottom - top);
m32 = (zZeroToOne ? zNear : (zFar + zNear)) / (zNear - zFar);
properties = 0;
return this;
} | java | public Matrix4x3d setOrtho(double left, double right, double bottom, double top, double zNear, double zFar, boolean zZeroToOne) {
m00 = 2.0 / (right - left);
m01 = 0.0;
m02 = 0.0;
m10 = 0.0;
m11 = 2.0 / (top - bottom);
m12 = 0.0;
m20 = 0.0;
m21 = 0.0;
m22 = (zZeroToOne ? 1.0 : 2.0) / (zNear - zFar);
m30 = (right + left) / (left - right);
m31 = (top + bottom) / (bottom - top);
m32 = (zZeroToOne ? zNear : (zFar + zNear)) / (zNear - zFar);
properties = 0;
return this;
} | [
"public",
"Matrix4x3d",
"setOrtho",
"(",
"double",
"left",
",",
"double",
"right",
",",
"double",
"bottom",
",",
"double",
"top",
",",
"double",
"zNear",
",",
"double",
"zFar",
",",
"boolean",
"zZeroToOne",
")",
"{",
"m00",
"=",
"2.0",
"/",
"(",
"right",
"-",
"left",
")",
";",
"m01",
"=",
"0.0",
";",
"m02",
"=",
"0.0",
";",
"m10",
"=",
"0.0",
";",
"m11",
"=",
"2.0",
"/",
"(",
"top",
"-",
"bottom",
")",
";",
"m12",
"=",
"0.0",
";",
"m20",
"=",
"0.0",
";",
"m21",
"=",
"0.0",
";",
"m22",
"=",
"(",
"zZeroToOne",
"?",
"1.0",
":",
"2.0",
")",
"/",
"(",
"zNear",
"-",
"zFar",
")",
";",
"m30",
"=",
"(",
"right",
"+",
"left",
")",
"/",
"(",
"left",
"-",
"right",
")",
";",
"m31",
"=",
"(",
"top",
"+",
"bottom",
")",
"/",
"(",
"bottom",
"-",
"top",
")",
";",
"m32",
"=",
"(",
"zZeroToOne",
"?",
"zNear",
":",
"(",
"zFar",
"+",
"zNear",
")",
")",
"/",
"(",
"zNear",
"-",
"zFar",
")",
";",
"properties",
"=",
"0",
";",
"return",
"this",
";",
"}"
] | Set this matrix to be an orthographic projection transformation for a right-handed coordinate system
using the given NDC z range.
<p>
In order to apply the orthographic projection to an already existing transformation,
use {@link #ortho(double, double, double, double, double, double, boolean) ortho()}.
<p>
Reference: <a href="http://www.songho.ca/opengl/gl_projectionmatrix.html#ortho">http://www.songho.ca</a>
@see #ortho(double, double, double, double, double, double, boolean)
@param left
the distance from the center to the left frustum edge
@param right
the distance from the center to the right frustum edge
@param bottom
the distance from the center to the bottom frustum edge
@param top
the distance from the center to the top frustum edge
@param zNear
near clipping plane distance
@param zFar
far clipping plane distance
@param zZeroToOne
whether to use Vulkan's and Direct3D's NDC z range of <code>[0..+1]</code> when <code>true</code>
or whether to use OpenGL's NDC z range of <code>[-1..+1]</code> when <code>false</code>
@return this | [
"Set",
"this",
"matrix",
"to",
"be",
"an",
"orthographic",
"projection",
"transformation",
"for",
"a",
"right",
"-",
"handed",
"coordinate",
"system",
"using",
"the",
"given",
"NDC",
"z",
"range",
".",
"<p",
">",
"In",
"order",
"to",
"apply",
"the",
"orthographic",
"projection",
"to",
"an",
"already",
"existing",
"transformation",
"use",
"{",
"@link",
"#ortho",
"(",
"double",
"double",
"double",
"double",
"double",
"double",
"boolean",
")",
"ortho",
"()",
"}",
".",
"<p",
">",
"Reference",
":",
"<a",
"href",
"=",
"http",
":",
"//",
"www",
".",
"songho",
".",
"ca",
"/",
"opengl",
"/",
"gl_projectionmatrix",
".",
"html#ortho",
">",
"http",
":",
"//",
"www",
".",
"songho",
".",
"ca<",
"/",
"a",
">"
] | train | https://github.com/JOML-CI/JOML/blob/ce2652fc236b42bda3875c591f8e6645048a678f/src/org/joml/Matrix4x3d.java#L6916-L6931 |
apache/incubator-heron | heron/api/src/java/org/apache/heron/api/Config.java | Config.setEnableAcking | @Deprecated
public static void setEnableAcking(Map<String, Object> conf, boolean acking) {
"""
Is topology running with acking enabled?
@deprecated use {@link #setTopologyReliabilityMode(Map, TopologyReliabilityMode)} instead.
"""
if (acking) {
setTopologyReliabilityMode(conf, Config.TopologyReliabilityMode.ATLEAST_ONCE);
} else {
setTopologyReliabilityMode(conf, Config.TopologyReliabilityMode.ATMOST_ONCE);
}
} | java | @Deprecated
public static void setEnableAcking(Map<String, Object> conf, boolean acking) {
if (acking) {
setTopologyReliabilityMode(conf, Config.TopologyReliabilityMode.ATLEAST_ONCE);
} else {
setTopologyReliabilityMode(conf, Config.TopologyReliabilityMode.ATMOST_ONCE);
}
} | [
"@",
"Deprecated",
"public",
"static",
"void",
"setEnableAcking",
"(",
"Map",
"<",
"String",
",",
"Object",
">",
"conf",
",",
"boolean",
"acking",
")",
"{",
"if",
"(",
"acking",
")",
"{",
"setTopologyReliabilityMode",
"(",
"conf",
",",
"Config",
".",
"TopologyReliabilityMode",
".",
"ATLEAST_ONCE",
")",
";",
"}",
"else",
"{",
"setTopologyReliabilityMode",
"(",
"conf",
",",
"Config",
".",
"TopologyReliabilityMode",
".",
"ATMOST_ONCE",
")",
";",
"}",
"}"
] | Is topology running with acking enabled?
@deprecated use {@link #setTopologyReliabilityMode(Map, TopologyReliabilityMode)} instead. | [
"Is",
"topology",
"running",
"with",
"acking",
"enabled?"
] | train | https://github.com/apache/incubator-heron/blob/776abe2b5a45b93a0eb957fd65cbc149d901a92a/heron/api/src/java/org/apache/heron/api/Config.java#L422-L429 |
JodaOrg/joda-time | src/main/java/org/joda/time/chrono/BasicChronology.java | BasicChronology.getDateMidnightMillis | long getDateMidnightMillis(int year, int monthOfYear, int dayOfMonth) {
"""
Gets the milliseconds for a date at midnight.
@param year the year
@param monthOfYear the month
@param dayOfMonth the day
@return the milliseconds
"""
FieldUtils.verifyValueBounds(DateTimeFieldType.year(), year, getMinYear() - 1, getMaxYear() + 1);
FieldUtils.verifyValueBounds(DateTimeFieldType.monthOfYear(), monthOfYear, 1, getMaxMonth(year));
FieldUtils.verifyValueBounds(DateTimeFieldType.dayOfMonth(), dayOfMonth, 1, getDaysInYearMonth(year, monthOfYear));
long instant = getYearMonthDayMillis(year, monthOfYear, dayOfMonth);
// check for limit caused by min/max year +1/-1
if (instant < 0 && year == getMaxYear() + 1) {
return Long.MAX_VALUE;
} else if (instant > 0 && year == getMinYear() - 1) {
return Long.MIN_VALUE;
}
return instant;
} | java | long getDateMidnightMillis(int year, int monthOfYear, int dayOfMonth) {
FieldUtils.verifyValueBounds(DateTimeFieldType.year(), year, getMinYear() - 1, getMaxYear() + 1);
FieldUtils.verifyValueBounds(DateTimeFieldType.monthOfYear(), monthOfYear, 1, getMaxMonth(year));
FieldUtils.verifyValueBounds(DateTimeFieldType.dayOfMonth(), dayOfMonth, 1, getDaysInYearMonth(year, monthOfYear));
long instant = getYearMonthDayMillis(year, monthOfYear, dayOfMonth);
// check for limit caused by min/max year +1/-1
if (instant < 0 && year == getMaxYear() + 1) {
return Long.MAX_VALUE;
} else if (instant > 0 && year == getMinYear() - 1) {
return Long.MIN_VALUE;
}
return instant;
} | [
"long",
"getDateMidnightMillis",
"(",
"int",
"year",
",",
"int",
"monthOfYear",
",",
"int",
"dayOfMonth",
")",
"{",
"FieldUtils",
".",
"verifyValueBounds",
"(",
"DateTimeFieldType",
".",
"year",
"(",
")",
",",
"year",
",",
"getMinYear",
"(",
")",
"-",
"1",
",",
"getMaxYear",
"(",
")",
"+",
"1",
")",
";",
"FieldUtils",
".",
"verifyValueBounds",
"(",
"DateTimeFieldType",
".",
"monthOfYear",
"(",
")",
",",
"monthOfYear",
",",
"1",
",",
"getMaxMonth",
"(",
"year",
")",
")",
";",
"FieldUtils",
".",
"verifyValueBounds",
"(",
"DateTimeFieldType",
".",
"dayOfMonth",
"(",
")",
",",
"dayOfMonth",
",",
"1",
",",
"getDaysInYearMonth",
"(",
"year",
",",
"monthOfYear",
")",
")",
";",
"long",
"instant",
"=",
"getYearMonthDayMillis",
"(",
"year",
",",
"monthOfYear",
",",
"dayOfMonth",
")",
";",
"// check for limit caused by min/max year +1/-1",
"if",
"(",
"instant",
"<",
"0",
"&&",
"year",
"==",
"getMaxYear",
"(",
")",
"+",
"1",
")",
"{",
"return",
"Long",
".",
"MAX_VALUE",
";",
"}",
"else",
"if",
"(",
"instant",
">",
"0",
"&&",
"year",
"==",
"getMinYear",
"(",
")",
"-",
"1",
")",
"{",
"return",
"Long",
".",
"MIN_VALUE",
";",
"}",
"return",
"instant",
";",
"}"
] | Gets the milliseconds for a date at midnight.
@param year the year
@param monthOfYear the month
@param dayOfMonth the day
@return the milliseconds | [
"Gets",
"the",
"milliseconds",
"for",
"a",
"date",
"at",
"midnight",
"."
] | train | https://github.com/JodaOrg/joda-time/blob/bd79f1c4245e79b3c2c56d7b04fde2a6e191fa42/src/main/java/org/joda/time/chrono/BasicChronology.java#L629-L641 |
gresrun/jesque | src/main/java/net/greghaines/jesque/worker/MapBasedJobFactory.java | MapBasedJobFactory.setJobTypes | public void setJobTypes(final Map<String, ? extends Class<?>> jobTypes) {
"""
Clear any current allowed job types and use the given set.
@param jobTypes the job types to allow
"""
checkJobTypes(jobTypes);
this.jobTypes.clear();
this.jobTypes.putAll(jobTypes);
} | java | public void setJobTypes(final Map<String, ? extends Class<?>> jobTypes) {
checkJobTypes(jobTypes);
this.jobTypes.clear();
this.jobTypes.putAll(jobTypes);
} | [
"public",
"void",
"setJobTypes",
"(",
"final",
"Map",
"<",
"String",
",",
"?",
"extends",
"Class",
"<",
"?",
">",
">",
"jobTypes",
")",
"{",
"checkJobTypes",
"(",
"jobTypes",
")",
";",
"this",
".",
"jobTypes",
".",
"clear",
"(",
")",
";",
"this",
".",
"jobTypes",
".",
"putAll",
"(",
"jobTypes",
")",
";",
"}"
] | Clear any current allowed job types and use the given set.
@param jobTypes the job types to allow | [
"Clear",
"any",
"current",
"allowed",
"job",
"types",
"and",
"use",
"the",
"given",
"set",
"."
] | train | https://github.com/gresrun/jesque/blob/44749183dccc40962a94c2af547ea7d0d880b5d1/src/main/java/net/greghaines/jesque/worker/MapBasedJobFactory.java#L96-L100 |
aws/aws-sdk-java | aws-java-sdk-robomaker/src/main/java/com/amazonaws/services/robomaker/model/DescribeRobotApplicationResult.java | DescribeRobotApplicationResult.withTags | public DescribeRobotApplicationResult withTags(java.util.Map<String, String> tags) {
"""
<p>
The list of all tags added to the specified robot application.
</p>
@param tags
The list of all tags added to the specified robot application.
@return Returns a reference to this object so that method calls can be chained together.
"""
setTags(tags);
return this;
} | java | public DescribeRobotApplicationResult withTags(java.util.Map<String, String> tags) {
setTags(tags);
return this;
} | [
"public",
"DescribeRobotApplicationResult",
"withTags",
"(",
"java",
".",
"util",
".",
"Map",
"<",
"String",
",",
"String",
">",
"tags",
")",
"{",
"setTags",
"(",
"tags",
")",
";",
"return",
"this",
";",
"}"
] | <p>
The list of all tags added to the specified robot application.
</p>
@param tags
The list of all tags added to the specified robot application.
@return Returns a reference to this object so that method calls can be chained together. | [
"<p",
">",
"The",
"list",
"of",
"all",
"tags",
"added",
"to",
"the",
"specified",
"robot",
"application",
".",
"<",
"/",
"p",
">"
] | train | https://github.com/aws/aws-sdk-java/blob/aa38502458969b2d13a1c3665a56aba600e4dbd0/aws-java-sdk-robomaker/src/main/java/com/amazonaws/services/robomaker/model/DescribeRobotApplicationResult.java#L420-L423 |
venmo/cursor-utils | cursor-utils/src/main/java/com/venmo/cursor/CursorUtils.java | CursorUtils.consumeToLinkedList | public static <T> LinkedList<T> consumeToLinkedList(IterableCursor<T> cursor) {
"""
Returns an {@link java.util.LinkedList} of the {@link android.database.Cursor} and closes
it.
"""
return consumeToCollection(cursor, new LinkedList<T>());
} | java | public static <T> LinkedList<T> consumeToLinkedList(IterableCursor<T> cursor) {
return consumeToCollection(cursor, new LinkedList<T>());
} | [
"public",
"static",
"<",
"T",
">",
"LinkedList",
"<",
"T",
">",
"consumeToLinkedList",
"(",
"IterableCursor",
"<",
"T",
">",
"cursor",
")",
"{",
"return",
"consumeToCollection",
"(",
"cursor",
",",
"new",
"LinkedList",
"<",
"T",
">",
"(",
")",
")",
";",
"}"
] | Returns an {@link java.util.LinkedList} of the {@link android.database.Cursor} and closes
it. | [
"Returns",
"an",
"{"
] | train | https://github.com/venmo/cursor-utils/blob/52cf91c4253346632fe70b8d7b7eab8bbcc9b248/cursor-utils/src/main/java/com/venmo/cursor/CursorUtils.java#L50-L52 |
spring-projects/spring-social | spring-social-web/src/main/java/org/springframework/social/connect/web/ConnectController.java | ConnectController.oauth1Callback | @RequestMapping(value="/ {
"""
Process the authorization callback from an OAuth 1 service provider.
Called after the user authorizes the connection, generally done by having he or she click "Allow" in their web browser at the provider's site.
On authorization verification, connects the user's local account to the account they hold at the service provider
Removes the request token from the session since it is no longer valid after the connection is established.
@param providerId the provider ID to connect to
@param request the request
@return a RedirectView to the connection status page
"""providerId}", method=RequestMethod.GET, params="oauth_token")
public RedirectView oauth1Callback(@PathVariable String providerId, NativeWebRequest request) {
try {
OAuth1ConnectionFactory<?> connectionFactory = (OAuth1ConnectionFactory<?>) connectionFactoryLocator.getConnectionFactory(providerId);
Connection<?> connection = connectSupport.completeConnection(connectionFactory, request);
addConnection(connection, connectionFactory, request);
} catch (Exception e) {
sessionStrategy.setAttribute(request, PROVIDER_ERROR_ATTRIBUTE, e);
logger.warn("Exception while handling OAuth1 callback (" + e.getMessage() + "). Redirecting to " + providerId +" connection status page.");
}
return connectionStatusRedirect(providerId, request);
} | java | @RequestMapping(value="/{providerId}", method=RequestMethod.GET, params="oauth_token")
public RedirectView oauth1Callback(@PathVariable String providerId, NativeWebRequest request) {
try {
OAuth1ConnectionFactory<?> connectionFactory = (OAuth1ConnectionFactory<?>) connectionFactoryLocator.getConnectionFactory(providerId);
Connection<?> connection = connectSupport.completeConnection(connectionFactory, request);
addConnection(connection, connectionFactory, request);
} catch (Exception e) {
sessionStrategy.setAttribute(request, PROVIDER_ERROR_ATTRIBUTE, e);
logger.warn("Exception while handling OAuth1 callback (" + e.getMessage() + "). Redirecting to " + providerId +" connection status page.");
}
return connectionStatusRedirect(providerId, request);
} | [
"@",
"RequestMapping",
"(",
"value",
"=",
"\"/{providerId}\"",
",",
"method",
"=",
"RequestMethod",
".",
"GET",
",",
"params",
"=",
"\"oauth_token\"",
")",
"public",
"RedirectView",
"oauth1Callback",
"(",
"@",
"PathVariable",
"String",
"providerId",
",",
"NativeWebRequest",
"request",
")",
"{",
"try",
"{",
"OAuth1ConnectionFactory",
"<",
"?",
">",
"connectionFactory",
"=",
"(",
"OAuth1ConnectionFactory",
"<",
"?",
">",
")",
"connectionFactoryLocator",
".",
"getConnectionFactory",
"(",
"providerId",
")",
";",
"Connection",
"<",
"?",
">",
"connection",
"=",
"connectSupport",
".",
"completeConnection",
"(",
"connectionFactory",
",",
"request",
")",
";",
"addConnection",
"(",
"connection",
",",
"connectionFactory",
",",
"request",
")",
";",
"}",
"catch",
"(",
"Exception",
"e",
")",
"{",
"sessionStrategy",
".",
"setAttribute",
"(",
"request",
",",
"PROVIDER_ERROR_ATTRIBUTE",
",",
"e",
")",
";",
"logger",
".",
"warn",
"(",
"\"Exception while handling OAuth1 callback (\"",
"+",
"e",
".",
"getMessage",
"(",
")",
"+",
"\"). Redirecting to \"",
"+",
"providerId",
"+",
"\" connection status page.\"",
")",
";",
"}",
"return",
"connectionStatusRedirect",
"(",
"providerId",
",",
"request",
")",
";",
"}"
] | Process the authorization callback from an OAuth 1 service provider.
Called after the user authorizes the connection, generally done by having he or she click "Allow" in their web browser at the provider's site.
On authorization verification, connects the user's local account to the account they hold at the service provider
Removes the request token from the session since it is no longer valid after the connection is established.
@param providerId the provider ID to connect to
@param request the request
@return a RedirectView to the connection status page | [
"Process",
"the",
"authorization",
"callback",
"from",
"an",
"OAuth",
"1",
"service",
"provider",
".",
"Called",
"after",
"the",
"user",
"authorizes",
"the",
"connection",
"generally",
"done",
"by",
"having",
"he",
"or",
"she",
"click",
"Allow",
"in",
"their",
"web",
"browser",
"at",
"the",
"provider",
"s",
"site",
".",
"On",
"authorization",
"verification",
"connects",
"the",
"user",
"s",
"local",
"account",
"to",
"the",
"account",
"they",
"hold",
"at",
"the",
"service",
"provider",
"Removes",
"the",
"request",
"token",
"from",
"the",
"session",
"since",
"it",
"is",
"no",
"longer",
"valid",
"after",
"the",
"connection",
"is",
"established",
"."
] | train | https://github.com/spring-projects/spring-social/blob/e41cfecb288022b83c79413b58f52511c3c9d4fc/spring-social-web/src/main/java/org/springframework/social/connect/web/ConnectController.java#L266-L277 |
adyliu/jafka | src/main/java/io/jafka/utils/Utils.java | Utils.writeShortString | public static void writeShortString(ByteBuffer buffer, String s) {
"""
Write a size prefixed string where the size is stored as a 2 byte
short
@param buffer The buffer to write to
@param s The string to write
"""
if (s == null) {
buffer.putShort((short) -1);
} else if (s.length() > Short.MAX_VALUE) {
throw new IllegalArgumentException("String exceeds the maximum size of " + Short.MAX_VALUE + ".");
} else {
byte[] data = getBytes(s); //topic support non-ascii character
buffer.putShort((short) data.length);
buffer.put(data);
}
} | java | public static void writeShortString(ByteBuffer buffer, String s) {
if (s == null) {
buffer.putShort((short) -1);
} else if (s.length() > Short.MAX_VALUE) {
throw new IllegalArgumentException("String exceeds the maximum size of " + Short.MAX_VALUE + ".");
} else {
byte[] data = getBytes(s); //topic support non-ascii character
buffer.putShort((short) data.length);
buffer.put(data);
}
} | [
"public",
"static",
"void",
"writeShortString",
"(",
"ByteBuffer",
"buffer",
",",
"String",
"s",
")",
"{",
"if",
"(",
"s",
"==",
"null",
")",
"{",
"buffer",
".",
"putShort",
"(",
"(",
"short",
")",
"-",
"1",
")",
";",
"}",
"else",
"if",
"(",
"s",
".",
"length",
"(",
")",
">",
"Short",
".",
"MAX_VALUE",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"String exceeds the maximum size of \"",
"+",
"Short",
".",
"MAX_VALUE",
"+",
"\".\"",
")",
";",
"}",
"else",
"{",
"byte",
"[",
"]",
"data",
"=",
"getBytes",
"(",
"s",
")",
";",
"//topic support non-ascii character",
"buffer",
".",
"putShort",
"(",
"(",
"short",
")",
"data",
".",
"length",
")",
";",
"buffer",
".",
"put",
"(",
"data",
")",
";",
"}",
"}"
] | Write a size prefixed string where the size is stored as a 2 byte
short
@param buffer The buffer to write to
@param s The string to write | [
"Write",
"a",
"size",
"prefixed",
"string",
"where",
"the",
"size",
"is",
"stored",
"as",
"a",
"2",
"byte",
"short"
] | train | https://github.com/adyliu/jafka/blob/cc14d2ed60c039b12d7b106bb5269ef21d0add7e/src/main/java/io/jafka/utils/Utils.java#L205-L215 |
facebookarchive/hadoop-20 | src/contrib/eclipse-plugin/src/java/org/apache/hadoop/eclipse/servers/HadoopLocationWizard.java | HadoopLocationWizard.createConfLabelText | private Text createConfLabelText(ModifyListener listener,
Composite parent, ConfProp prop, String labelText) {
"""
Create editor entry for the given configuration property. The editor is
a couple (Label, Text).
@param listener the listener to trigger on property change
@param parent the SWT parent container
@param prop the property to create an editor for
@param labelText a label (null will defaults to the property name)
@return a SWT Text field
"""
Label label = new Label(parent, SWT.NONE);
if (labelText == null)
labelText = prop.name;
label.setText(labelText);
return createConfText(listener, parent, prop);
} | java | private Text createConfLabelText(ModifyListener listener,
Composite parent, ConfProp prop, String labelText) {
Label label = new Label(parent, SWT.NONE);
if (labelText == null)
labelText = prop.name;
label.setText(labelText);
return createConfText(listener, parent, prop);
} | [
"private",
"Text",
"createConfLabelText",
"(",
"ModifyListener",
"listener",
",",
"Composite",
"parent",
",",
"ConfProp",
"prop",
",",
"String",
"labelText",
")",
"{",
"Label",
"label",
"=",
"new",
"Label",
"(",
"parent",
",",
"SWT",
".",
"NONE",
")",
";",
"if",
"(",
"labelText",
"==",
"null",
")",
"labelText",
"=",
"prop",
".",
"name",
";",
"label",
".",
"setText",
"(",
"labelText",
")",
";",
"return",
"createConfText",
"(",
"listener",
",",
"parent",
",",
"prop",
")",
";",
"}"
] | Create editor entry for the given configuration property. The editor is
a couple (Label, Text).
@param listener the listener to trigger on property change
@param parent the SWT parent container
@param prop the property to create an editor for
@param labelText a label (null will defaults to the property name)
@return a SWT Text field | [
"Create",
"editor",
"entry",
"for",
"the",
"given",
"configuration",
"property",
".",
"The",
"editor",
"is",
"a",
"couple",
"(",
"Label",
"Text",
")",
"."
] | train | https://github.com/facebookarchive/hadoop-20/blob/2a29bc6ecf30edb1ad8dbde32aa49a317b4d44f4/src/contrib/eclipse-plugin/src/java/org/apache/hadoop/eclipse/servers/HadoopLocationWizard.java#L541-L550 |
square/okhttp | okhttp/src/main/java/okhttp3/internal/ws/WebSocketWriter.java | WebSocketWriter.newMessageSink | Sink newMessageSink(int formatOpcode, long contentLength) {
"""
Stream a message payload as a series of frames. This allows control frames to be interleaved
between parts of the message.
"""
if (activeWriter) {
throw new IllegalStateException("Another message writer is active. Did you call close()?");
}
activeWriter = true;
// Reset FrameSink state for a new writer.
frameSink.formatOpcode = formatOpcode;
frameSink.contentLength = contentLength;
frameSink.isFirstFrame = true;
frameSink.closed = false;
return frameSink;
} | java | Sink newMessageSink(int formatOpcode, long contentLength) {
if (activeWriter) {
throw new IllegalStateException("Another message writer is active. Did you call close()?");
}
activeWriter = true;
// Reset FrameSink state for a new writer.
frameSink.formatOpcode = formatOpcode;
frameSink.contentLength = contentLength;
frameSink.isFirstFrame = true;
frameSink.closed = false;
return frameSink;
} | [
"Sink",
"newMessageSink",
"(",
"int",
"formatOpcode",
",",
"long",
"contentLength",
")",
"{",
"if",
"(",
"activeWriter",
")",
"{",
"throw",
"new",
"IllegalStateException",
"(",
"\"Another message writer is active. Did you call close()?\"",
")",
";",
"}",
"activeWriter",
"=",
"true",
";",
"// Reset FrameSink state for a new writer.",
"frameSink",
".",
"formatOpcode",
"=",
"formatOpcode",
";",
"frameSink",
".",
"contentLength",
"=",
"contentLength",
";",
"frameSink",
".",
"isFirstFrame",
"=",
"true",
";",
"frameSink",
".",
"closed",
"=",
"false",
";",
"return",
"frameSink",
";",
"}"
] | Stream a message payload as a series of frames. This allows control frames to be interleaved
between parts of the message. | [
"Stream",
"a",
"message",
"payload",
"as",
"a",
"series",
"of",
"frames",
".",
"This",
"allows",
"control",
"frames",
"to",
"be",
"interleaved",
"between",
"parts",
"of",
"the",
"message",
"."
] | train | https://github.com/square/okhttp/blob/a8c65a822dd6cadd2de7d115bf94adf312e67868/okhttp/src/main/java/okhttp3/internal/ws/WebSocketWriter.java#L153-L166 |
apache/incubator-druid | extensions-core/histogram/src/main/java/org/apache/druid/query/aggregation/histogram/ApproximateHistogram.java | ApproximateHistogram.toHistogram | public Histogram toHistogram(final float bucketSize, final float offset) {
"""
Computes a visual representation given an initial breakpoint, offset, and a bucket size.
@param bucketSize the size of each bucket
@param offset the location of one breakpoint
@return visual representation of the histogram
"""
final float minFloor = (float) Math.floor((min() - offset) / bucketSize) * bucketSize + offset;
final float lowerLimitFloor = (float) Math.floor((lowerLimit - offset) / bucketSize) * bucketSize + offset;
final float firstBreak = Math.max(minFloor, lowerLimitFloor);
final float maxCeil = (float) Math.ceil((max() - offset) / bucketSize) * bucketSize + offset;
final float upperLimitCeil = (float) Math.ceil((upperLimit - offset) / bucketSize) * bucketSize + offset;
final float lastBreak = Math.min(maxCeil, upperLimitCeil);
final float cutoff = 0.1f;
final ArrayList<Float> breaks = new ArrayList<Float>();
// to deal with left inclusivity when the min is the same as a break
final float bottomBreak = minFloor - bucketSize;
if (bottomBreak != firstBreak && (sum(firstBreak) - sum(bottomBreak) > cutoff)) {
breaks.add(bottomBreak);
}
float left = firstBreak;
boolean leftSet = false;
//the + bucketSize / 10 is because floating point addition is always slightly incorrect and so we need to account for that
while (left + bucketSize <= lastBreak + (bucketSize / 10)) {
final float right = left + bucketSize;
if (sum(right) - sum(left) > cutoff) {
if (!leftSet) {
breaks.add(left);
}
breaks.add(right);
leftSet = true;
} else {
leftSet = false;
}
left = right;
}
if (breaks.get(breaks.size() - 1) != maxCeil && (sum(maxCeil) - sum(breaks.get(breaks.size() - 1)) > cutoff)) {
breaks.add(maxCeil);
}
return toHistogram(Floats.toArray(breaks));
} | java | public Histogram toHistogram(final float bucketSize, final float offset)
{
final float minFloor = (float) Math.floor((min() - offset) / bucketSize) * bucketSize + offset;
final float lowerLimitFloor = (float) Math.floor((lowerLimit - offset) / bucketSize) * bucketSize + offset;
final float firstBreak = Math.max(minFloor, lowerLimitFloor);
final float maxCeil = (float) Math.ceil((max() - offset) / bucketSize) * bucketSize + offset;
final float upperLimitCeil = (float) Math.ceil((upperLimit - offset) / bucketSize) * bucketSize + offset;
final float lastBreak = Math.min(maxCeil, upperLimitCeil);
final float cutoff = 0.1f;
final ArrayList<Float> breaks = new ArrayList<Float>();
// to deal with left inclusivity when the min is the same as a break
final float bottomBreak = minFloor - bucketSize;
if (bottomBreak != firstBreak && (sum(firstBreak) - sum(bottomBreak) > cutoff)) {
breaks.add(bottomBreak);
}
float left = firstBreak;
boolean leftSet = false;
//the + bucketSize / 10 is because floating point addition is always slightly incorrect and so we need to account for that
while (left + bucketSize <= lastBreak + (bucketSize / 10)) {
final float right = left + bucketSize;
if (sum(right) - sum(left) > cutoff) {
if (!leftSet) {
breaks.add(left);
}
breaks.add(right);
leftSet = true;
} else {
leftSet = false;
}
left = right;
}
if (breaks.get(breaks.size() - 1) != maxCeil && (sum(maxCeil) - sum(breaks.get(breaks.size() - 1)) > cutoff)) {
breaks.add(maxCeil);
}
return toHistogram(Floats.toArray(breaks));
} | [
"public",
"Histogram",
"toHistogram",
"(",
"final",
"float",
"bucketSize",
",",
"final",
"float",
"offset",
")",
"{",
"final",
"float",
"minFloor",
"=",
"(",
"float",
")",
"Math",
".",
"floor",
"(",
"(",
"min",
"(",
")",
"-",
"offset",
")",
"/",
"bucketSize",
")",
"*",
"bucketSize",
"+",
"offset",
";",
"final",
"float",
"lowerLimitFloor",
"=",
"(",
"float",
")",
"Math",
".",
"floor",
"(",
"(",
"lowerLimit",
"-",
"offset",
")",
"/",
"bucketSize",
")",
"*",
"bucketSize",
"+",
"offset",
";",
"final",
"float",
"firstBreak",
"=",
"Math",
".",
"max",
"(",
"minFloor",
",",
"lowerLimitFloor",
")",
";",
"final",
"float",
"maxCeil",
"=",
"(",
"float",
")",
"Math",
".",
"ceil",
"(",
"(",
"max",
"(",
")",
"-",
"offset",
")",
"/",
"bucketSize",
")",
"*",
"bucketSize",
"+",
"offset",
";",
"final",
"float",
"upperLimitCeil",
"=",
"(",
"float",
")",
"Math",
".",
"ceil",
"(",
"(",
"upperLimit",
"-",
"offset",
")",
"/",
"bucketSize",
")",
"*",
"bucketSize",
"+",
"offset",
";",
"final",
"float",
"lastBreak",
"=",
"Math",
".",
"min",
"(",
"maxCeil",
",",
"upperLimitCeil",
")",
";",
"final",
"float",
"cutoff",
"=",
"0.1f",
";",
"final",
"ArrayList",
"<",
"Float",
">",
"breaks",
"=",
"new",
"ArrayList",
"<",
"Float",
">",
"(",
")",
";",
"// to deal with left inclusivity when the min is the same as a break",
"final",
"float",
"bottomBreak",
"=",
"minFloor",
"-",
"bucketSize",
";",
"if",
"(",
"bottomBreak",
"!=",
"firstBreak",
"&&",
"(",
"sum",
"(",
"firstBreak",
")",
"-",
"sum",
"(",
"bottomBreak",
")",
">",
"cutoff",
")",
")",
"{",
"breaks",
".",
"add",
"(",
"bottomBreak",
")",
";",
"}",
"float",
"left",
"=",
"firstBreak",
";",
"boolean",
"leftSet",
"=",
"false",
";",
"//the + bucketSize / 10 is because floating point addition is always slightly incorrect and so we need to account for that",
"while",
"(",
"left",
"+",
"bucketSize",
"<=",
"lastBreak",
"+",
"(",
"bucketSize",
"/",
"10",
")",
")",
"{",
"final",
"float",
"right",
"=",
"left",
"+",
"bucketSize",
";",
"if",
"(",
"sum",
"(",
"right",
")",
"-",
"sum",
"(",
"left",
")",
">",
"cutoff",
")",
"{",
"if",
"(",
"!",
"leftSet",
")",
"{",
"breaks",
".",
"add",
"(",
"left",
")",
";",
"}",
"breaks",
".",
"add",
"(",
"right",
")",
";",
"leftSet",
"=",
"true",
";",
"}",
"else",
"{",
"leftSet",
"=",
"false",
";",
"}",
"left",
"=",
"right",
";",
"}",
"if",
"(",
"breaks",
".",
"get",
"(",
"breaks",
".",
"size",
"(",
")",
"-",
"1",
")",
"!=",
"maxCeil",
"&&",
"(",
"sum",
"(",
"maxCeil",
")",
"-",
"sum",
"(",
"breaks",
".",
"get",
"(",
"breaks",
".",
"size",
"(",
")",
"-",
"1",
")",
")",
">",
"cutoff",
")",
")",
"{",
"breaks",
".",
"add",
"(",
"maxCeil",
")",
";",
"}",
"return",
"toHistogram",
"(",
"Floats",
".",
"toArray",
"(",
"breaks",
")",
")",
";",
"}"
] | Computes a visual representation given an initial breakpoint, offset, and a bucket size.
@param bucketSize the size of each bucket
@param offset the location of one breakpoint
@return visual representation of the histogram | [
"Computes",
"a",
"visual",
"representation",
"given",
"an",
"initial",
"breakpoint",
"offset",
"and",
"a",
"bucket",
"size",
"."
] | train | https://github.com/apache/incubator-druid/blob/f776b9408962b9006cfcfe4d6c1794751972cc8e/extensions-core/histogram/src/main/java/org/apache/druid/query/aggregation/histogram/ApproximateHistogram.java#L1653-L1698 |
dita-ot/dita-ot | src/main/java/org/dita/dost/util/URLUtils.java | URLUtils.toURI | public static URI toURI(final String file) {
"""
Covert file reference to URI. Fixes directory separators and escapes characters.
@param file The string to be parsed into a URI, may be {@code null}
@return URI from parsing the given string, {@code null} if input was {@code null}
"""
if (file == null) {
return null;
}
if (File.separatorChar == '\\' && file.indexOf('\\') != -1) {
return toURI(new File(file));
}
try {
return new URI(file);
} catch (final URISyntaxException e) {
try {
return new URI(clean(file.replace(WINDOWS_SEPARATOR, URI_SEPARATOR).trim(), false));
} catch (final URISyntaxException ex) {
throw new IllegalArgumentException(ex.getMessage(), ex);
}
}
} | java | public static URI toURI(final String file) {
if (file == null) {
return null;
}
if (File.separatorChar == '\\' && file.indexOf('\\') != -1) {
return toURI(new File(file));
}
try {
return new URI(file);
} catch (final URISyntaxException e) {
try {
return new URI(clean(file.replace(WINDOWS_SEPARATOR, URI_SEPARATOR).trim(), false));
} catch (final URISyntaxException ex) {
throw new IllegalArgumentException(ex.getMessage(), ex);
}
}
} | [
"public",
"static",
"URI",
"toURI",
"(",
"final",
"String",
"file",
")",
"{",
"if",
"(",
"file",
"==",
"null",
")",
"{",
"return",
"null",
";",
"}",
"if",
"(",
"File",
".",
"separatorChar",
"==",
"'",
"'",
"&&",
"file",
".",
"indexOf",
"(",
"'",
"'",
")",
"!=",
"-",
"1",
")",
"{",
"return",
"toURI",
"(",
"new",
"File",
"(",
"file",
")",
")",
";",
"}",
"try",
"{",
"return",
"new",
"URI",
"(",
"file",
")",
";",
"}",
"catch",
"(",
"final",
"URISyntaxException",
"e",
")",
"{",
"try",
"{",
"return",
"new",
"URI",
"(",
"clean",
"(",
"file",
".",
"replace",
"(",
"WINDOWS_SEPARATOR",
",",
"URI_SEPARATOR",
")",
".",
"trim",
"(",
")",
",",
"false",
")",
")",
";",
"}",
"catch",
"(",
"final",
"URISyntaxException",
"ex",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"ex",
".",
"getMessage",
"(",
")",
",",
"ex",
")",
";",
"}",
"}",
"}"
] | Covert file reference to URI. Fixes directory separators and escapes characters.
@param file The string to be parsed into a URI, may be {@code null}
@return URI from parsing the given string, {@code null} if input was {@code null} | [
"Covert",
"file",
"reference",
"to",
"URI",
".",
"Fixes",
"directory",
"separators",
"and",
"escapes",
"characters",
"."
] | train | https://github.com/dita-ot/dita-ot/blob/ea776b3c60c03d9f033b6f7ea072349e49dbcdd2/src/main/java/org/dita/dost/util/URLUtils.java#L499-L515 |
ops4j/org.ops4j.pax.logging | pax-logging-api/src/main/java/org/apache/logging/log4j/message/FormattedMessageFactory.java | FormattedMessageFactory.newMessage | @Override
public Message newMessage(final String message, final Object... params) {
"""
Creates {@link StringFormattedMessage} instances.
@param message The message format.
@param params Message parameters.
@return The Message object.
@see MessageFactory#newMessage(String, Object...)
"""
return new FormattedMessage(message, params);
} | java | @Override
public Message newMessage(final String message, final Object... params) {
return new FormattedMessage(message, params);
} | [
"@",
"Override",
"public",
"Message",
"newMessage",
"(",
"final",
"String",
"message",
",",
"final",
"Object",
"...",
"params",
")",
"{",
"return",
"new",
"FormattedMessage",
"(",
"message",
",",
"params",
")",
";",
"}"
] | Creates {@link StringFormattedMessage} instances.
@param message The message format.
@param params Message parameters.
@return The Message object.
@see MessageFactory#newMessage(String, Object...) | [
"Creates",
"{",
"@link",
"StringFormattedMessage",
"}",
"instances",
"."
] | train | https://github.com/ops4j/org.ops4j.pax.logging/blob/493de4e1db4fe9f981f3dd78b8e40e5bf2b2e59d/pax-logging-api/src/main/java/org/apache/logging/log4j/message/FormattedMessageFactory.java#L48-L51 |
stripe/stripe-android | stripe/src/main/java/com/stripe/android/model/ModelUtils.java | ModelUtils.hasMonthPassed | static boolean hasMonthPassed(int year, int month, @NonNull Calendar now) {
"""
Determines whether the input year-month pair has passed.
@param year the input year, as a two or four-digit integer
@param month the input month
@param now the current time
@return {@code true} if the input time has passed the specified current time,
{@code false} otherwise.
"""
if (hasYearPassed(year, now)) {
return true;
}
// Expires at end of specified month, Calendar month starts at 0
return normalizeYear(year, now) == now.get(Calendar.YEAR)
&& month < (now.get(Calendar.MONTH) + 1);
} | java | static boolean hasMonthPassed(int year, int month, @NonNull Calendar now) {
if (hasYearPassed(year, now)) {
return true;
}
// Expires at end of specified month, Calendar month starts at 0
return normalizeYear(year, now) == now.get(Calendar.YEAR)
&& month < (now.get(Calendar.MONTH) + 1);
} | [
"static",
"boolean",
"hasMonthPassed",
"(",
"int",
"year",
",",
"int",
"month",
",",
"@",
"NonNull",
"Calendar",
"now",
")",
"{",
"if",
"(",
"hasYearPassed",
"(",
"year",
",",
"now",
")",
")",
"{",
"return",
"true",
";",
"}",
"// Expires at end of specified month, Calendar month starts at 0",
"return",
"normalizeYear",
"(",
"year",
",",
"now",
")",
"==",
"now",
".",
"get",
"(",
"Calendar",
".",
"YEAR",
")",
"&&",
"month",
"<",
"(",
"now",
".",
"get",
"(",
"Calendar",
".",
"MONTH",
")",
"+",
"1",
")",
";",
"}"
] | Determines whether the input year-month pair has passed.
@param year the input year, as a two or four-digit integer
@param month the input month
@param now the current time
@return {@code true} if the input time has passed the specified current time,
{@code false} otherwise. | [
"Determines",
"whether",
"the",
"input",
"year",
"-",
"month",
"pair",
"has",
"passed",
"."
] | train | https://github.com/stripe/stripe-android/blob/0f199255f3769a3b84583fe3ace47bfae8c3b1c8/stripe/src/main/java/com/stripe/android/model/ModelUtils.java#L34-L42 |
petergeneric/stdlib | guice/common/src/main/java/com/peterphi/std/guice/common/serviceprops/ConfigurationPropertyRegistryModule.java | ConfigurationPropertyRegistryModule.bindAllGuiceProperties | private static void bindAllGuiceProperties(ConfigurationPropertyRegistry registry, AtomicReference<Injector> injector) {
"""
Create fake bindings for all the properties in {@link com.peterphi.std.guice.apploader.GuiceProperties}
@param registry
@param injector
"""
for (Field field : GuiceProperties.class.getFields())
{
if (Modifier.isStatic(field.getModifiers()) && Modifier.isPublic(field.getModifiers()))
{
try
{
// We are just assuming these properties have a string type
final String propertyName = String.valueOf(field.get(null));
registry.register(GuiceProperties.class, injector, propertyName, String.class, field);
}
catch (Exception e)
{
throw new IllegalArgumentException("Error trying to process GuiceProperties." + field.getName(), e);
}
}
}
} | java | private static void bindAllGuiceProperties(ConfigurationPropertyRegistry registry, AtomicReference<Injector> injector)
{
for (Field field : GuiceProperties.class.getFields())
{
if (Modifier.isStatic(field.getModifiers()) && Modifier.isPublic(field.getModifiers()))
{
try
{
// We are just assuming these properties have a string type
final String propertyName = String.valueOf(field.get(null));
registry.register(GuiceProperties.class, injector, propertyName, String.class, field);
}
catch (Exception e)
{
throw new IllegalArgumentException("Error trying to process GuiceProperties." + field.getName(), e);
}
}
}
} | [
"private",
"static",
"void",
"bindAllGuiceProperties",
"(",
"ConfigurationPropertyRegistry",
"registry",
",",
"AtomicReference",
"<",
"Injector",
">",
"injector",
")",
"{",
"for",
"(",
"Field",
"field",
":",
"GuiceProperties",
".",
"class",
".",
"getFields",
"(",
")",
")",
"{",
"if",
"(",
"Modifier",
".",
"isStatic",
"(",
"field",
".",
"getModifiers",
"(",
")",
")",
"&&",
"Modifier",
".",
"isPublic",
"(",
"field",
".",
"getModifiers",
"(",
")",
")",
")",
"{",
"try",
"{",
"// We are just assuming these properties have a string type",
"final",
"String",
"propertyName",
"=",
"String",
".",
"valueOf",
"(",
"field",
".",
"get",
"(",
"null",
")",
")",
";",
"registry",
".",
"register",
"(",
"GuiceProperties",
".",
"class",
",",
"injector",
",",
"propertyName",
",",
"String",
".",
"class",
",",
"field",
")",
";",
"}",
"catch",
"(",
"Exception",
"e",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Error trying to process GuiceProperties.\"",
"+",
"field",
".",
"getName",
"(",
")",
",",
"e",
")",
";",
"}",
"}",
"}",
"}"
] | Create fake bindings for all the properties in {@link com.peterphi.std.guice.apploader.GuiceProperties}
@param registry
@param injector | [
"Create",
"fake",
"bindings",
"for",
"all",
"the",
"properties",
"in",
"{",
"@link",
"com",
".",
"peterphi",
".",
"std",
".",
"guice",
".",
"apploader",
".",
"GuiceProperties",
"}"
] | train | https://github.com/petergeneric/stdlib/blob/d4025d2f881bc0542b1e004c5f65a1ccaf895836/guice/common/src/main/java/com/peterphi/std/guice/common/serviceprops/ConfigurationPropertyRegistryModule.java#L56-L75 |
finnyb/javampd | src/main/java/org/bff/javampd/monitor/MPDTrackMonitor.java | MPDTrackMonitor.fireTrackPositionChangeEvent | protected synchronized void fireTrackPositionChangeEvent(long newTime) {
"""
Sends the appropriate {@link org.bff.javampd.player.TrackPositionChangeEvent} to all registered
{@link TrackPositionChangeListener}s.
@param newTime the new elapsed time
"""
TrackPositionChangeEvent tpce = new TrackPositionChangeEvent(this, newTime);
for (TrackPositionChangeListener tpcl : trackListeners) {
tpcl.trackPositionChanged(tpce);
}
} | java | protected synchronized void fireTrackPositionChangeEvent(long newTime) {
TrackPositionChangeEvent tpce = new TrackPositionChangeEvent(this, newTime);
for (TrackPositionChangeListener tpcl : trackListeners) {
tpcl.trackPositionChanged(tpce);
}
} | [
"protected",
"synchronized",
"void",
"fireTrackPositionChangeEvent",
"(",
"long",
"newTime",
")",
"{",
"TrackPositionChangeEvent",
"tpce",
"=",
"new",
"TrackPositionChangeEvent",
"(",
"this",
",",
"newTime",
")",
";",
"for",
"(",
"TrackPositionChangeListener",
"tpcl",
":",
"trackListeners",
")",
"{",
"tpcl",
".",
"trackPositionChanged",
"(",
"tpce",
")",
";",
"}",
"}"
] | Sends the appropriate {@link org.bff.javampd.player.TrackPositionChangeEvent} to all registered
{@link TrackPositionChangeListener}s.
@param newTime the new elapsed time | [
"Sends",
"the",
"appropriate",
"{",
"@link",
"org",
".",
"bff",
".",
"javampd",
".",
"player",
".",
"TrackPositionChangeEvent",
"}",
"to",
"all",
"registered",
"{",
"@link",
"TrackPositionChangeListener",
"}",
"s",
"."
] | train | https://github.com/finnyb/javampd/blob/186736e85fc238b4208cc9ee23373f9249376b4c/src/main/java/org/bff/javampd/monitor/MPDTrackMonitor.java#L86-L92 |
Azure/azure-sdk-for-java | compute/resource-manager/v2017_03_30/src/main/java/com/microsoft/azure/management/compute/v2017_03_30/implementation/ImagesInner.java | ImagesInner.createOrUpdateAsync | public Observable<ImageInner> createOrUpdateAsync(String resourceGroupName, String imageName, ImageInner parameters) {
"""
Create or update an image.
@param resourceGroupName The name of the resource group.
@param imageName The name of the image.
@param parameters Parameters supplied to the Create Image operation.
@throws IllegalArgumentException thrown if parameters fail the validation
@return the observable for the request
"""
return createOrUpdateWithServiceResponseAsync(resourceGroupName, imageName, parameters).map(new Func1<ServiceResponse<ImageInner>, ImageInner>() {
@Override
public ImageInner call(ServiceResponse<ImageInner> response) {
return response.body();
}
});
} | java | public Observable<ImageInner> createOrUpdateAsync(String resourceGroupName, String imageName, ImageInner parameters) {
return createOrUpdateWithServiceResponseAsync(resourceGroupName, imageName, parameters).map(new Func1<ServiceResponse<ImageInner>, ImageInner>() {
@Override
public ImageInner call(ServiceResponse<ImageInner> response) {
return response.body();
}
});
} | [
"public",
"Observable",
"<",
"ImageInner",
">",
"createOrUpdateAsync",
"(",
"String",
"resourceGroupName",
",",
"String",
"imageName",
",",
"ImageInner",
"parameters",
")",
"{",
"return",
"createOrUpdateWithServiceResponseAsync",
"(",
"resourceGroupName",
",",
"imageName",
",",
"parameters",
")",
".",
"map",
"(",
"new",
"Func1",
"<",
"ServiceResponse",
"<",
"ImageInner",
">",
",",
"ImageInner",
">",
"(",
")",
"{",
"@",
"Override",
"public",
"ImageInner",
"call",
"(",
"ServiceResponse",
"<",
"ImageInner",
">",
"response",
")",
"{",
"return",
"response",
".",
"body",
"(",
")",
";",
"}",
"}",
")",
";",
"}"
] | Create or update an image.
@param resourceGroupName The name of the resource group.
@param imageName The name of the image.
@param parameters Parameters supplied to the Create Image operation.
@throws IllegalArgumentException thrown if parameters fail the validation
@return the observable for the request | [
"Create",
"or",
"update",
"an",
"image",
"."
] | train | https://github.com/Azure/azure-sdk-for-java/blob/aab183ddc6686c82ec10386d5a683d2691039626/compute/resource-manager/v2017_03_30/src/main/java/com/microsoft/azure/management/compute/v2017_03_30/implementation/ImagesInner.java#L143-L150 |
pressgang-ccms/PressGangCCMSContentSpecProcessor | src/main/java/org/jboss/pressgang/ccms/contentspec/processor/ContentSpecProcessor.java | ContentSpecProcessor.syncDuplicatedTopics | protected void syncDuplicatedTopics(final Map<ITopicNode, ITopicNode> duplicatedTopics) {
"""
Syncs all duplicated topics with their real topic counterpart in the content specification.
@param duplicatedTopics A Map of the all the duplicated topics in the Content Specification mapped to there bae topic.
"""
for (final Map.Entry<ITopicNode, ITopicNode> topicEntry : duplicatedTopics.entrySet()) {
final ITopicNode topic = topicEntry.getKey();
final ITopicNode cloneTopic = topicEntry.getValue();
// Set the id
topic.setId(cloneTopic.getDBId() == null ? null : cloneTopic.getDBId().toString());
}
} | java | protected void syncDuplicatedTopics(final Map<ITopicNode, ITopicNode> duplicatedTopics) {
for (final Map.Entry<ITopicNode, ITopicNode> topicEntry : duplicatedTopics.entrySet()) {
final ITopicNode topic = topicEntry.getKey();
final ITopicNode cloneTopic = topicEntry.getValue();
// Set the id
topic.setId(cloneTopic.getDBId() == null ? null : cloneTopic.getDBId().toString());
}
} | [
"protected",
"void",
"syncDuplicatedTopics",
"(",
"final",
"Map",
"<",
"ITopicNode",
",",
"ITopicNode",
">",
"duplicatedTopics",
")",
"{",
"for",
"(",
"final",
"Map",
".",
"Entry",
"<",
"ITopicNode",
",",
"ITopicNode",
">",
"topicEntry",
":",
"duplicatedTopics",
".",
"entrySet",
"(",
")",
")",
"{",
"final",
"ITopicNode",
"topic",
"=",
"topicEntry",
".",
"getKey",
"(",
")",
";",
"final",
"ITopicNode",
"cloneTopic",
"=",
"topicEntry",
".",
"getValue",
"(",
")",
";",
"// Set the id",
"topic",
".",
"setId",
"(",
"cloneTopic",
".",
"getDBId",
"(",
")",
"==",
"null",
"?",
"null",
":",
"cloneTopic",
".",
"getDBId",
"(",
")",
".",
"toString",
"(",
")",
")",
";",
"}",
"}"
] | Syncs all duplicated topics with their real topic counterpart in the content specification.
@param duplicatedTopics A Map of the all the duplicated topics in the Content Specification mapped to there bae topic. | [
"Syncs",
"all",
"duplicated",
"topics",
"with",
"their",
"real",
"topic",
"counterpart",
"in",
"the",
"content",
"specification",
"."
] | train | https://github.com/pressgang-ccms/PressGangCCMSContentSpecProcessor/blob/85ffac047c4ede0f972364ab1f03f7d61a4de5f1/src/main/java/org/jboss/pressgang/ccms/contentspec/processor/ContentSpecProcessor.java#L1028-L1036 |
alkacon/opencms-core | src/org/opencms/xml/content/CmsXmlContent.java | CmsXmlContent.hasChoiceOptions | public boolean hasChoiceOptions(String xpath, Locale locale) {
"""
Returns <code>true</code> if choice options exist for the given xpath in the selected locale.<p>
In case the xpath does not select a nested choice content definition,
or in case the xpath does not exist at all, <code>false</code> is returned.<p>
@param xpath the xpath to check the choice options for
@param locale the locale to check
@return <code>true</code> if choice options exist for the given xpath in the selected locale
"""
List<I_CmsXmlSchemaType> options = getChoiceOptions(xpath, locale);
if ((options == null) || (options.size() <= 1)) {
return false;
}
return true;
} | java | public boolean hasChoiceOptions(String xpath, Locale locale) {
List<I_CmsXmlSchemaType> options = getChoiceOptions(xpath, locale);
if ((options == null) || (options.size() <= 1)) {
return false;
}
return true;
} | [
"public",
"boolean",
"hasChoiceOptions",
"(",
"String",
"xpath",
",",
"Locale",
"locale",
")",
"{",
"List",
"<",
"I_CmsXmlSchemaType",
">",
"options",
"=",
"getChoiceOptions",
"(",
"xpath",
",",
"locale",
")",
";",
"if",
"(",
"(",
"options",
"==",
"null",
")",
"||",
"(",
"options",
".",
"size",
"(",
")",
"<=",
"1",
")",
")",
"{",
"return",
"false",
";",
"}",
"return",
"true",
";",
"}"
] | Returns <code>true</code> if choice options exist for the given xpath in the selected locale.<p>
In case the xpath does not select a nested choice content definition,
or in case the xpath does not exist at all, <code>false</code> is returned.<p>
@param xpath the xpath to check the choice options for
@param locale the locale to check
@return <code>true</code> if choice options exist for the given xpath in the selected locale | [
"Returns",
"<code",
">",
"true<",
"/",
"code",
">",
"if",
"choice",
"options",
"exist",
"for",
"the",
"given",
"xpath",
"in",
"the",
"selected",
"locale",
".",
"<p",
">"
] | train | https://github.com/alkacon/opencms-core/blob/bc104acc75d2277df5864da939a1f2de5fdee504/src/org/opencms/xml/content/CmsXmlContent.java#L660-L667 |
Azure/azure-sdk-for-java | servicebus/data-plane/azure-servicebus/src/main/java/com/microsoft/azure/servicebus/management/ManagementClient.java | ManagementClient.createSubscription | public SubscriptionDescription createSubscription(SubscriptionDescription subscriptionDescription, RuleDescription defaultRule) throws ServiceBusException, InterruptedException {
"""
Creates a new subscription in the service namespace with the provided default rule.
See {@link SubscriptionDescription} for default values of subscription properties.
@param subscriptionDescription - A {@link SubscriptionDescription} object describing the attributes with which the new subscription will be created.
@param defaultRule - A {@link RuleDescription} object describing the default rule. If null, then pass-through filter will be created.
@return {@link SubscriptionDescription} of the newly created subscription.
@throws MessagingEntityAlreadyExistsException - An entity with the same name exists under the same service namespace.
@throws TimeoutException - The operation times out. The timeout period is initiated through ClientSettings.operationTimeout
@throws AuthorizationFailedException - No sufficient permission to perform this operation. Please check ClientSettings.tokenProvider has correct details.
@throws ServerBusyException - The server is busy. You should wait before you retry the operation.
@throws ServiceBusException - An internal error or an unexpected exception occurred.
@throws QuotaExceededException - Either the specified size in the description is not supported or the maximum allowed quota has been reached.
@throws InterruptedException if the current thread was interrupted
"""
return Utils.completeFuture(this.asyncClient.createSubscriptionAsync(subscriptionDescription, defaultRule));
} | java | public SubscriptionDescription createSubscription(SubscriptionDescription subscriptionDescription, RuleDescription defaultRule) throws ServiceBusException, InterruptedException {
return Utils.completeFuture(this.asyncClient.createSubscriptionAsync(subscriptionDescription, defaultRule));
} | [
"public",
"SubscriptionDescription",
"createSubscription",
"(",
"SubscriptionDescription",
"subscriptionDescription",
",",
"RuleDescription",
"defaultRule",
")",
"throws",
"ServiceBusException",
",",
"InterruptedException",
"{",
"return",
"Utils",
".",
"completeFuture",
"(",
"this",
".",
"asyncClient",
".",
"createSubscriptionAsync",
"(",
"subscriptionDescription",
",",
"defaultRule",
")",
")",
";",
"}"
] | Creates a new subscription in the service namespace with the provided default rule.
See {@link SubscriptionDescription} for default values of subscription properties.
@param subscriptionDescription - A {@link SubscriptionDescription} object describing the attributes with which the new subscription will be created.
@param defaultRule - A {@link RuleDescription} object describing the default rule. If null, then pass-through filter will be created.
@return {@link SubscriptionDescription} of the newly created subscription.
@throws MessagingEntityAlreadyExistsException - An entity with the same name exists under the same service namespace.
@throws TimeoutException - The operation times out. The timeout period is initiated through ClientSettings.operationTimeout
@throws AuthorizationFailedException - No sufficient permission to perform this operation. Please check ClientSettings.tokenProvider has correct details.
@throws ServerBusyException - The server is busy. You should wait before you retry the operation.
@throws ServiceBusException - An internal error or an unexpected exception occurred.
@throws QuotaExceededException - Either the specified size in the description is not supported or the maximum allowed quota has been reached.
@throws InterruptedException if the current thread was interrupted | [
"Creates",
"a",
"new",
"subscription",
"in",
"the",
"service",
"namespace",
"with",
"the",
"provided",
"default",
"rule",
".",
"See",
"{"
] | train | https://github.com/Azure/azure-sdk-for-java/blob/aab183ddc6686c82ec10386d5a683d2691039626/servicebus/data-plane/azure-servicebus/src/main/java/com/microsoft/azure/servicebus/management/ManagementClient.java#L434-L436 |
http-builder-ng/http-builder-ng | http-builder-ng-core/src/main/java/groovyx/net/http/HttpBuilder.java | HttpBuilder.headAsync | public <T> CompletableFuture<T> headAsync(final Class<T> type, @DelegatesTo(HttpConfig.class) final Closure closure) {
"""
Executes an asynchronous HEAD request on the configured URI (asynchronous alias to the `head(Class,Closure)` method), with additional
configuration provided by the configuration closure. The result will be cast to the specified `type`. A response to a HEAD request contains no
data; however, the `response.when()` methods may provide data based on response headers, which will be cast to the specified type.
[source,groovy]
----
def http = HttpBuilder.configure {
request.uri = 'http://localhost:10101/date'
}
CompletableFuture future = http.headAsync(Date){
response.success { FromServer fromServer ->
Date.parse('yyyy.MM.dd HH:mm', fromServer.headers.find { it.key == 'stamp' }.value)
}
}
Date result = future.get()
----
The configuration `closure` allows additional configuration for this request based on the {@link HttpConfig} interface.
@param type the type of the response content
@param closure the additional configuration closure (delegated to {@link HttpConfig})
@return a {@link CompletableFuture} which may be used to access the resulting content (if present)
"""
return CompletableFuture.supplyAsync(() -> head(type, closure), getExecutor());
} | java | public <T> CompletableFuture<T> headAsync(final Class<T> type, @DelegatesTo(HttpConfig.class) final Closure closure) {
return CompletableFuture.supplyAsync(() -> head(type, closure), getExecutor());
} | [
"public",
"<",
"T",
">",
"CompletableFuture",
"<",
"T",
">",
"headAsync",
"(",
"final",
"Class",
"<",
"T",
">",
"type",
",",
"@",
"DelegatesTo",
"(",
"HttpConfig",
".",
"class",
")",
"final",
"Closure",
"closure",
")",
"{",
"return",
"CompletableFuture",
".",
"supplyAsync",
"(",
"(",
")",
"->",
"head",
"(",
"type",
",",
"closure",
")",
",",
"getExecutor",
"(",
")",
")",
";",
"}"
] | Executes an asynchronous HEAD request on the configured URI (asynchronous alias to the `head(Class,Closure)` method), with additional
configuration provided by the configuration closure. The result will be cast to the specified `type`. A response to a HEAD request contains no
data; however, the `response.when()` methods may provide data based on response headers, which will be cast to the specified type.
[source,groovy]
----
def http = HttpBuilder.configure {
request.uri = 'http://localhost:10101/date'
}
CompletableFuture future = http.headAsync(Date){
response.success { FromServer fromServer ->
Date.parse('yyyy.MM.dd HH:mm', fromServer.headers.find { it.key == 'stamp' }.value)
}
}
Date result = future.get()
----
The configuration `closure` allows additional configuration for this request based on the {@link HttpConfig} interface.
@param type the type of the response content
@param closure the additional configuration closure (delegated to {@link HttpConfig})
@return a {@link CompletableFuture} which may be used to access the resulting content (if present) | [
"Executes",
"an",
"asynchronous",
"HEAD",
"request",
"on",
"the",
"configured",
"URI",
"(",
"asynchronous",
"alias",
"to",
"the",
"head",
"(",
"Class",
"Closure",
")",
"method",
")",
"with",
"additional",
"configuration",
"provided",
"by",
"the",
"configuration",
"closure",
".",
"The",
"result",
"will",
"be",
"cast",
"to",
"the",
"specified",
"type",
".",
"A",
"response",
"to",
"a",
"HEAD",
"request",
"contains",
"no",
"data",
";",
"however",
"the",
"response",
".",
"when",
"()",
"methods",
"may",
"provide",
"data",
"based",
"on",
"response",
"headers",
"which",
"will",
"be",
"cast",
"to",
"the",
"specified",
"type",
"."
] | train | https://github.com/http-builder-ng/http-builder-ng/blob/865f37732c102c748d3db8b905199dac9222a525/http-builder-ng-core/src/main/java/groovyx/net/http/HttpBuilder.java#L659-L661 |
kiegroup/drools | kie-ci/src/main/java/org/kie/api/builder/helper/KieModuleDeploymentHelperImpl.java | KieModuleDeploymentHelperImpl.createKieFileSystemWithKProject | private KieFileSystem createKieFileSystemWithKProject(String kbaseName, String ksessionName) {
"""
Create the {@link KieFileSystem} instance to store the content going into the KJar.
@param kbaseName
@param ksessionName
@return
"""
KieModuleModel kproj = config.getKieProject();
KieFileSystem kfs = config.getKieServicesInstance().newKieFileSystem();
kfs.writeKModuleXML(kproj.toXML());
return kfs;
} | java | private KieFileSystem createKieFileSystemWithKProject(String kbaseName, String ksessionName) {
KieModuleModel kproj = config.getKieProject();
KieFileSystem kfs = config.getKieServicesInstance().newKieFileSystem();
kfs.writeKModuleXML(kproj.toXML());
return kfs;
} | [
"private",
"KieFileSystem",
"createKieFileSystemWithKProject",
"(",
"String",
"kbaseName",
",",
"String",
"ksessionName",
")",
"{",
"KieModuleModel",
"kproj",
"=",
"config",
".",
"getKieProject",
"(",
")",
";",
"KieFileSystem",
"kfs",
"=",
"config",
".",
"getKieServicesInstance",
"(",
")",
".",
"newKieFileSystem",
"(",
")",
";",
"kfs",
".",
"writeKModuleXML",
"(",
"kproj",
".",
"toXML",
"(",
")",
")",
";",
"return",
"kfs",
";",
"}"
] | Create the {@link KieFileSystem} instance to store the content going into the KJar.
@param kbaseName
@param ksessionName
@return | [
"Create",
"the",
"{",
"@link",
"KieFileSystem",
"}",
"instance",
"to",
"store",
"the",
"content",
"going",
"into",
"the",
"KJar",
"."
] | train | https://github.com/kiegroup/drools/blob/22b0275d6dbe93070b8090948502cf46eda543c4/kie-ci/src/main/java/org/kie/api/builder/helper/KieModuleDeploymentHelperImpl.java#L351-L356 |
operasoftware/operaprestodriver | src/com/opera/core/systems/OperaWebElement.java | OperaWebElement.getImageHash | public String getImageHash(long timeout, List<String> hashes) {
"""
Takes a screenshot after timeout milliseconds of the area this element's bounding-box covers
and returns the MD5 hash.
@param timeout the number of milliseconds to wait before taking the screenshot
@param hashes optional hashes to compare the hashes with
@return an MD5 hash as a string
"""
return saveScreenshot("", timeout, false, hashes);
} | java | public String getImageHash(long timeout, List<String> hashes) {
return saveScreenshot("", timeout, false, hashes);
} | [
"public",
"String",
"getImageHash",
"(",
"long",
"timeout",
",",
"List",
"<",
"String",
">",
"hashes",
")",
"{",
"return",
"saveScreenshot",
"(",
"\"\"",
",",
"timeout",
",",
"false",
",",
"hashes",
")",
";",
"}"
] | Takes a screenshot after timeout milliseconds of the area this element's bounding-box covers
and returns the MD5 hash.
@param timeout the number of milliseconds to wait before taking the screenshot
@param hashes optional hashes to compare the hashes with
@return an MD5 hash as a string | [
"Takes",
"a",
"screenshot",
"after",
"timeout",
"milliseconds",
"of",
"the",
"area",
"this",
"element",
"s",
"bounding",
"-",
"box",
"covers",
"and",
"returns",
"the",
"MD5",
"hash",
"."
] | train | https://github.com/operasoftware/operaprestodriver/blob/1ccceda80f1c1a0489171d17dcaa6e7b18fb4c01/src/com/opera/core/systems/OperaWebElement.java#L322-L324 |
haraldk/TwelveMonkeys | servlet/src/main/java/com/twelvemonkeys/servlet/image/ImageFilter.java | ImageFilter.createImageServletResponse | private ImageServletResponse createImageServletResponse(final ServletRequest pRequest, final ServletResponse pResponse) {
"""
Creates the image servlet response for this response.
@param pResponse the original response
@param pRequest the original request
@return the new response, or {@code pResponse} if the response is already wrapped
@see com.twelvemonkeys.servlet.image.ImageServletResponseWrapper
"""
if (pResponse instanceof ImageServletResponseImpl) {
ImageServletResponseImpl response = (ImageServletResponseImpl) pResponse;
// response.setRequest(pRequest);
return response;
}
return new ImageServletResponseImpl(pRequest, pResponse, getServletContext());
} | java | private ImageServletResponse createImageServletResponse(final ServletRequest pRequest, final ServletResponse pResponse) {
if (pResponse instanceof ImageServletResponseImpl) {
ImageServletResponseImpl response = (ImageServletResponseImpl) pResponse;
// response.setRequest(pRequest);
return response;
}
return new ImageServletResponseImpl(pRequest, pResponse, getServletContext());
} | [
"private",
"ImageServletResponse",
"createImageServletResponse",
"(",
"final",
"ServletRequest",
"pRequest",
",",
"final",
"ServletResponse",
"pResponse",
")",
"{",
"if",
"(",
"pResponse",
"instanceof",
"ImageServletResponseImpl",
")",
"{",
"ImageServletResponseImpl",
"response",
"=",
"(",
"ImageServletResponseImpl",
")",
"pResponse",
";",
"// response.setRequest(pRequest);\r",
"return",
"response",
";",
"}",
"return",
"new",
"ImageServletResponseImpl",
"(",
"pRequest",
",",
"pResponse",
",",
"getServletContext",
"(",
")",
")",
";",
"}"
] | Creates the image servlet response for this response.
@param pResponse the original response
@param pRequest the original request
@return the new response, or {@code pResponse} if the response is already wrapped
@see com.twelvemonkeys.servlet.image.ImageServletResponseWrapper | [
"Creates",
"the",
"image",
"servlet",
"response",
"for",
"this",
"response",
"."
] | train | https://github.com/haraldk/TwelveMonkeys/blob/7fad4d5cd8cb3a6728c7fd3f28a7b84d8ce0101d/servlet/src/main/java/com/twelvemonkeys/servlet/image/ImageFilter.java#L151-L159 |
Azure/azure-sdk-for-java | cognitiveservices/data-plane/language/luis/authoring/src/main/java/com/microsoft/azure/cognitiveservices/language/luis/authoring/implementation/ModelsImpl.java | ModelsImpl.updateEntityWithServiceResponseAsync | public Observable<ServiceResponse<OperationStatus>> updateEntityWithServiceResponseAsync(UUID appId, String versionId, UUID entityId, UpdateEntityOptionalParameter updateEntityOptionalParameter) {
"""
Updates the name of an entity extractor.
@param appId The application ID.
@param versionId The version ID.
@param entityId The entity extractor ID.
@param updateEntityOptionalParameter the object representing the optional parameters to be set before calling this API
@throws IllegalArgumentException thrown if parameters fail the validation
@return the observable to the OperationStatus object
"""
if (this.client.endpoint() == null) {
throw new IllegalArgumentException("Parameter this.client.endpoint() is required and cannot be null.");
}
if (appId == null) {
throw new IllegalArgumentException("Parameter appId is required and cannot be null.");
}
if (versionId == null) {
throw new IllegalArgumentException("Parameter versionId is required and cannot be null.");
}
if (entityId == null) {
throw new IllegalArgumentException("Parameter entityId is required and cannot be null.");
}
final String name = updateEntityOptionalParameter != null ? updateEntityOptionalParameter.name() : null;
return updateEntityWithServiceResponseAsync(appId, versionId, entityId, name);
} | java | public Observable<ServiceResponse<OperationStatus>> updateEntityWithServiceResponseAsync(UUID appId, String versionId, UUID entityId, UpdateEntityOptionalParameter updateEntityOptionalParameter) {
if (this.client.endpoint() == null) {
throw new IllegalArgumentException("Parameter this.client.endpoint() is required and cannot be null.");
}
if (appId == null) {
throw new IllegalArgumentException("Parameter appId is required and cannot be null.");
}
if (versionId == null) {
throw new IllegalArgumentException("Parameter versionId is required and cannot be null.");
}
if (entityId == null) {
throw new IllegalArgumentException("Parameter entityId is required and cannot be null.");
}
final String name = updateEntityOptionalParameter != null ? updateEntityOptionalParameter.name() : null;
return updateEntityWithServiceResponseAsync(appId, versionId, entityId, name);
} | [
"public",
"Observable",
"<",
"ServiceResponse",
"<",
"OperationStatus",
">",
">",
"updateEntityWithServiceResponseAsync",
"(",
"UUID",
"appId",
",",
"String",
"versionId",
",",
"UUID",
"entityId",
",",
"UpdateEntityOptionalParameter",
"updateEntityOptionalParameter",
")",
"{",
"if",
"(",
"this",
".",
"client",
".",
"endpoint",
"(",
")",
"==",
"null",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Parameter this.client.endpoint() is required and cannot be null.\"",
")",
";",
"}",
"if",
"(",
"appId",
"==",
"null",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Parameter appId is required and cannot be null.\"",
")",
";",
"}",
"if",
"(",
"versionId",
"==",
"null",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Parameter versionId is required and cannot be null.\"",
")",
";",
"}",
"if",
"(",
"entityId",
"==",
"null",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"Parameter entityId is required and cannot be null.\"",
")",
";",
"}",
"final",
"String",
"name",
"=",
"updateEntityOptionalParameter",
"!=",
"null",
"?",
"updateEntityOptionalParameter",
".",
"name",
"(",
")",
":",
"null",
";",
"return",
"updateEntityWithServiceResponseAsync",
"(",
"appId",
",",
"versionId",
",",
"entityId",
",",
"name",
")",
";",
"}"
] | Updates the name of an entity extractor.
@param appId The application ID.
@param versionId The version ID.
@param entityId The entity extractor ID.
@param updateEntityOptionalParameter the object representing the optional parameters to be set before calling this API
@throws IllegalArgumentException thrown if parameters fail the validation
@return the observable to the OperationStatus object | [
"Updates",
"the",
"name",
"of",
"an",
"entity",
"extractor",
"."
] | train | https://github.com/Azure/azure-sdk-for-java/blob/aab183ddc6686c82ec10386d5a683d2691039626/cognitiveservices/data-plane/language/luis/authoring/src/main/java/com/microsoft/azure/cognitiveservices/language/luis/authoring/implementation/ModelsImpl.java#L3426-L3442 |
codeprimate-software/cp-elements | src/main/java/org/cp/elements/context/configure/AbstractConfiguration.java | AbstractConfiguration.getPropertyValue | public String getPropertyValue(final String propertyName, final boolean required) {
"""
Gets the value of the configuration property identified by name. The required parameter can be used to indicate
the property is not required and that a ConfigurationException should not be thrown if the property is undeclared
or undefined.
@param propertyName a String value indicating the name of the configuration property.
@param required used to indicate whether the configuration property is required to be declared and defined.
@return the value of the configuration property identified by name.
@throws ConfigurationException if and only if the property is required and the property is either undeclared
or undefined.
"""
String propertyValue = doGetPropertyValue(propertyName);
if (StringUtils.isBlank(propertyValue) && getParent() != null) {
propertyValue = getParent().getPropertyValue(propertyName, required);
}
if (StringUtils.isBlank(propertyValue) && required) {
throw new ConfigurationException(String.format("The property (%1$s) is required!", propertyName));
}
return defaultIfUnset(propertyValue, null);
} | java | public String getPropertyValue(final String propertyName, final boolean required) {
String propertyValue = doGetPropertyValue(propertyName);
if (StringUtils.isBlank(propertyValue) && getParent() != null) {
propertyValue = getParent().getPropertyValue(propertyName, required);
}
if (StringUtils.isBlank(propertyValue) && required) {
throw new ConfigurationException(String.format("The property (%1$s) is required!", propertyName));
}
return defaultIfUnset(propertyValue, null);
} | [
"public",
"String",
"getPropertyValue",
"(",
"final",
"String",
"propertyName",
",",
"final",
"boolean",
"required",
")",
"{",
"String",
"propertyValue",
"=",
"doGetPropertyValue",
"(",
"propertyName",
")",
";",
"if",
"(",
"StringUtils",
".",
"isBlank",
"(",
"propertyValue",
")",
"&&",
"getParent",
"(",
")",
"!=",
"null",
")",
"{",
"propertyValue",
"=",
"getParent",
"(",
")",
".",
"getPropertyValue",
"(",
"propertyName",
",",
"required",
")",
";",
"}",
"if",
"(",
"StringUtils",
".",
"isBlank",
"(",
"propertyValue",
")",
"&&",
"required",
")",
"{",
"throw",
"new",
"ConfigurationException",
"(",
"String",
".",
"format",
"(",
"\"The property (%1$s) is required!\"",
",",
"propertyName",
")",
")",
";",
"}",
"return",
"defaultIfUnset",
"(",
"propertyValue",
",",
"null",
")",
";",
"}"
] | Gets the value of the configuration property identified by name. The required parameter can be used to indicate
the property is not required and that a ConfigurationException should not be thrown if the property is undeclared
or undefined.
@param propertyName a String value indicating the name of the configuration property.
@param required used to indicate whether the configuration property is required to be declared and defined.
@return the value of the configuration property identified by name.
@throws ConfigurationException if and only if the property is required and the property is either undeclared
or undefined. | [
"Gets",
"the",
"value",
"of",
"the",
"configuration",
"property",
"identified",
"by",
"name",
".",
"The",
"required",
"parameter",
"can",
"be",
"used",
"to",
"indicate",
"the",
"property",
"is",
"not",
"required",
"and",
"that",
"a",
"ConfigurationException",
"should",
"not",
"be",
"thrown",
"if",
"the",
"property",
"is",
"undeclared",
"or",
"undefined",
"."
] | train | https://github.com/codeprimate-software/cp-elements/blob/f2163c149fbbef05015e688132064ebcac7c49ab/src/main/java/org/cp/elements/context/configure/AbstractConfiguration.java#L194-L206 |
apache/incubator-gobblin | gobblin-metrics-libs/gobblin-metrics-base/src/main/java/org/apache/gobblin/metrics/MetricContext.java | MetricContext.contextAwareTimer | public ContextAwareTimer contextAwareTimer(String name, long windowSize, TimeUnit unit) {
"""
Get a {@link ContextAwareTimer} with a given name and a customized {@link com.codahale.metrics.SlidingTimeWindowReservoir}
@param name name of the {@link ContextAwareTimer}
@param windowSize normally the duration of the time window
@param unit the unit of time
@return the {@link ContextAwareTimer} with the given name
"""
ContextAwareMetricFactoryArgs.SlidingTimeWindowArgs args = new ContextAwareMetricFactoryArgs.SlidingTimeWindowArgs(
this.innerMetricContext.getMetricContext().get(), name, windowSize, unit);
return this.innerMetricContext.getOrCreate(ContextAwareMetricFactory.DEFAULT_CONTEXT_AWARE_TIMER_FACTORY, args);
} | java | public ContextAwareTimer contextAwareTimer(String name, long windowSize, TimeUnit unit) {
ContextAwareMetricFactoryArgs.SlidingTimeWindowArgs args = new ContextAwareMetricFactoryArgs.SlidingTimeWindowArgs(
this.innerMetricContext.getMetricContext().get(), name, windowSize, unit);
return this.innerMetricContext.getOrCreate(ContextAwareMetricFactory.DEFAULT_CONTEXT_AWARE_TIMER_FACTORY, args);
} | [
"public",
"ContextAwareTimer",
"contextAwareTimer",
"(",
"String",
"name",
",",
"long",
"windowSize",
",",
"TimeUnit",
"unit",
")",
"{",
"ContextAwareMetricFactoryArgs",
".",
"SlidingTimeWindowArgs",
"args",
"=",
"new",
"ContextAwareMetricFactoryArgs",
".",
"SlidingTimeWindowArgs",
"(",
"this",
".",
"innerMetricContext",
".",
"getMetricContext",
"(",
")",
".",
"get",
"(",
")",
",",
"name",
",",
"windowSize",
",",
"unit",
")",
";",
"return",
"this",
".",
"innerMetricContext",
".",
"getOrCreate",
"(",
"ContextAwareMetricFactory",
".",
"DEFAULT_CONTEXT_AWARE_TIMER_FACTORY",
",",
"args",
")",
";",
"}"
] | Get a {@link ContextAwareTimer} with a given name and a customized {@link com.codahale.metrics.SlidingTimeWindowReservoir}
@param name name of the {@link ContextAwareTimer}
@param windowSize normally the duration of the time window
@param unit the unit of time
@return the {@link ContextAwareTimer} with the given name | [
"Get",
"a",
"{",
"@link",
"ContextAwareTimer",
"}",
"with",
"a",
"given",
"name",
"and",
"a",
"customized",
"{",
"@link",
"com",
".",
"codahale",
".",
"metrics",
".",
"SlidingTimeWindowReservoir",
"}"
] | train | https://github.com/apache/incubator-gobblin/blob/f029b4c0fea0fe4aa62f36dda2512344ff708bae/gobblin-metrics-libs/gobblin-metrics-base/src/main/java/org/apache/gobblin/metrics/MetricContext.java#L503-L507 |
Red5/red5-server-common | src/main/java/org/red5/server/so/SharedObject.java | SharedObject.sendMessage | protected void sendMessage(String handler, List<?> arguments) {
"""
Broadcast event to event handler
@param handler
Event handler
@param arguments
Arguments
"""
final SharedObjectEvent event = new SharedObjectEvent(Type.CLIENT_SEND_MESSAGE, handler, arguments);
if (ownerMessage.addEvent(event)) {
syncEvents.add(event);
sendStats.incrementAndGet();
if (log.isTraceEnabled()) {
log.trace("Send message: {}", arguments);
}
}
} | java | protected void sendMessage(String handler, List<?> arguments) {
final SharedObjectEvent event = new SharedObjectEvent(Type.CLIENT_SEND_MESSAGE, handler, arguments);
if (ownerMessage.addEvent(event)) {
syncEvents.add(event);
sendStats.incrementAndGet();
if (log.isTraceEnabled()) {
log.trace("Send message: {}", arguments);
}
}
} | [
"protected",
"void",
"sendMessage",
"(",
"String",
"handler",
",",
"List",
"<",
"?",
">",
"arguments",
")",
"{",
"final",
"SharedObjectEvent",
"event",
"=",
"new",
"SharedObjectEvent",
"(",
"Type",
".",
"CLIENT_SEND_MESSAGE",
",",
"handler",
",",
"arguments",
")",
";",
"if",
"(",
"ownerMessage",
".",
"addEvent",
"(",
"event",
")",
")",
"{",
"syncEvents",
".",
"add",
"(",
"event",
")",
";",
"sendStats",
".",
"incrementAndGet",
"(",
")",
";",
"if",
"(",
"log",
".",
"isTraceEnabled",
"(",
")",
")",
"{",
"log",
".",
"trace",
"(",
"\"Send message: {}\"",
",",
"arguments",
")",
";",
"}",
"}",
"}"
] | Broadcast event to event handler
@param handler
Event handler
@param arguments
Arguments | [
"Broadcast",
"event",
"to",
"event",
"handler"
] | train | https://github.com/Red5/red5-server-common/blob/39ae73710c25bda86d70b13ef37ae707962217b9/src/main/java/org/red5/server/so/SharedObject.java#L516-L525 |
OpenLiberty/open-liberty | dev/com.ibm.ws.kernel.feature.core/src/com/ibm/ws/kernel/feature/internal/subsystem/FeatureRepository.java | FeatureRepository.setInstalledFeatures | public void setInstalledFeatures(Set<String> newInstalledFeatures, Set<String> newConfiguredFeatures, boolean configurationError) {
"""
Change the active list of installed features
@param newInstalledFeatures new set of installed features. Replaces the previous set.
"""
Set<String> current = installedFeatures;
if (!current.equals(newInstalledFeatures)) {
isDirty = true;
}
if (newInstalledFeatures.isEmpty())
installedFeatures = Collections.emptySet();
else
installedFeatures = Collections.unmodifiableSet(new HashSet<String>(newInstalledFeatures));
current = configuredFeatures;
if (!current.equals(newConfiguredFeatures)) {
isDirty = true;
}
if (newConfiguredFeatures.isEmpty())
configuredFeatures = Collections.emptySet();
else
configuredFeatures = Collections.unmodifiableSet(new HashSet<String>(newConfiguredFeatures));
this.configurationError = configurationError;
} | java | public void setInstalledFeatures(Set<String> newInstalledFeatures, Set<String> newConfiguredFeatures, boolean configurationError) {
Set<String> current = installedFeatures;
if (!current.equals(newInstalledFeatures)) {
isDirty = true;
}
if (newInstalledFeatures.isEmpty())
installedFeatures = Collections.emptySet();
else
installedFeatures = Collections.unmodifiableSet(new HashSet<String>(newInstalledFeatures));
current = configuredFeatures;
if (!current.equals(newConfiguredFeatures)) {
isDirty = true;
}
if (newConfiguredFeatures.isEmpty())
configuredFeatures = Collections.emptySet();
else
configuredFeatures = Collections.unmodifiableSet(new HashSet<String>(newConfiguredFeatures));
this.configurationError = configurationError;
} | [
"public",
"void",
"setInstalledFeatures",
"(",
"Set",
"<",
"String",
">",
"newInstalledFeatures",
",",
"Set",
"<",
"String",
">",
"newConfiguredFeatures",
",",
"boolean",
"configurationError",
")",
"{",
"Set",
"<",
"String",
">",
"current",
"=",
"installedFeatures",
";",
"if",
"(",
"!",
"current",
".",
"equals",
"(",
"newInstalledFeatures",
")",
")",
"{",
"isDirty",
"=",
"true",
";",
"}",
"if",
"(",
"newInstalledFeatures",
".",
"isEmpty",
"(",
")",
")",
"installedFeatures",
"=",
"Collections",
".",
"emptySet",
"(",
")",
";",
"else",
"installedFeatures",
"=",
"Collections",
".",
"unmodifiableSet",
"(",
"new",
"HashSet",
"<",
"String",
">",
"(",
"newInstalledFeatures",
")",
")",
";",
"current",
"=",
"configuredFeatures",
";",
"if",
"(",
"!",
"current",
".",
"equals",
"(",
"newConfiguredFeatures",
")",
")",
"{",
"isDirty",
"=",
"true",
";",
"}",
"if",
"(",
"newConfiguredFeatures",
".",
"isEmpty",
"(",
")",
")",
"configuredFeatures",
"=",
"Collections",
".",
"emptySet",
"(",
")",
";",
"else",
"configuredFeatures",
"=",
"Collections",
".",
"unmodifiableSet",
"(",
"new",
"HashSet",
"<",
"String",
">",
"(",
"newConfiguredFeatures",
")",
")",
";",
"this",
".",
"configurationError",
"=",
"configurationError",
";",
"}"
] | Change the active list of installed features
@param newInstalledFeatures new set of installed features. Replaces the previous set. | [
"Change",
"the",
"active",
"list",
"of",
"installed",
"features"
] | train | https://github.com/OpenLiberty/open-liberty/blob/ca725d9903e63645018f9fa8cbda25f60af83a5d/dev/com.ibm.ws.kernel.feature.core/src/com/ibm/ws/kernel/feature/internal/subsystem/FeatureRepository.java#L528-L548 |
hypercube1024/firefly | firefly-common/src/main/java/com/firefly/utils/io/BufferUtils.java | BufferUtils.flipToFlush | public static void flipToFlush(ByteBuffer buffer, int position) {
"""
Flip the buffer to Flush mode.
The limit is set to the first unused byte(the old position) and
the position is set to the passed position.
<p>
This method is used as a replacement of {@link Buffer#flip()}.
@param buffer the buffer to be flipped
@param position The position of valid data to flip to. This should
be the return value of the previous call to {@link #flipToFill(ByteBuffer)}
"""
buffer.limit(buffer.position());
buffer.position(position);
} | java | public static void flipToFlush(ByteBuffer buffer, int position) {
buffer.limit(buffer.position());
buffer.position(position);
} | [
"public",
"static",
"void",
"flipToFlush",
"(",
"ByteBuffer",
"buffer",
",",
"int",
"position",
")",
"{",
"buffer",
".",
"limit",
"(",
"buffer",
".",
"position",
"(",
")",
")",
";",
"buffer",
".",
"position",
"(",
"position",
")",
";",
"}"
] | Flip the buffer to Flush mode.
The limit is set to the first unused byte(the old position) and
the position is set to the passed position.
<p>
This method is used as a replacement of {@link Buffer#flip()}.
@param buffer the buffer to be flipped
@param position The position of valid data to flip to. This should
be the return value of the previous call to {@link #flipToFill(ByteBuffer)} | [
"Flip",
"the",
"buffer",
"to",
"Flush",
"mode",
".",
"The",
"limit",
"is",
"set",
"to",
"the",
"first",
"unused",
"byte",
"(",
"the",
"old",
"position",
")",
"and",
"the",
"position",
"is",
"set",
"to",
"the",
"passed",
"position",
".",
"<p",
">",
"This",
"method",
"is",
"used",
"as",
"a",
"replacement",
"of",
"{",
"@link",
"Buffer#flip",
"()",
"}",
"."
] | train | https://github.com/hypercube1024/firefly/blob/ed3fc75b7c54a65b1e7d8141d01b49144bb423a3/firefly-common/src/main/java/com/firefly/utils/io/BufferUtils.java#L206-L209 |
Viascom/groundwork | foxhttp/src/main/java/ch/viascom/groundwork/foxhttp/builder/FoxHttpClientBuilder.java | FoxHttpClientBuilder.registerFoxHttpInterceptor | public FoxHttpClientBuilder registerFoxHttpInterceptor(FoxHttpInterceptorType interceptorType, FoxHttpInterceptor foxHttpInterceptor) throws FoxHttpException {
"""
Register an interceptor
@param interceptorType Type of the interceptor
@param foxHttpInterceptor Interceptor instance
@return FoxHttpClientBuilder (this)
@throws FoxHttpException Throws an exception if the interceptor does not match the type
"""
foxHttpClient.register(interceptorType, foxHttpInterceptor);
return this;
} | java | public FoxHttpClientBuilder registerFoxHttpInterceptor(FoxHttpInterceptorType interceptorType, FoxHttpInterceptor foxHttpInterceptor) throws FoxHttpException {
foxHttpClient.register(interceptorType, foxHttpInterceptor);
return this;
} | [
"public",
"FoxHttpClientBuilder",
"registerFoxHttpInterceptor",
"(",
"FoxHttpInterceptorType",
"interceptorType",
",",
"FoxHttpInterceptor",
"foxHttpInterceptor",
")",
"throws",
"FoxHttpException",
"{",
"foxHttpClient",
".",
"register",
"(",
"interceptorType",
",",
"foxHttpInterceptor",
")",
";",
"return",
"this",
";",
"}"
] | Register an interceptor
@param interceptorType Type of the interceptor
@param foxHttpInterceptor Interceptor instance
@return FoxHttpClientBuilder (this)
@throws FoxHttpException Throws an exception if the interceptor does not match the type | [
"Register",
"an",
"interceptor"
] | train | https://github.com/Viascom/groundwork/blob/d3f7d0df65e2e75861fc7db938090683f2cdf919/foxhttp/src/main/java/ch/viascom/groundwork/foxhttp/builder/FoxHttpClientBuilder.java#L133-L136 |
raydac/java-comment-preprocessor | jcp/src/main/java/com/igormaznitsa/jcp/context/PreprocessorContext.java | PreprocessorContext.setSources | @Nonnull
public PreprocessorContext setSources(@Nonnull @MustNotContainNull final List<String> folderPaths) {
"""
Set source directories
@param folderPaths list of source folder paths represented as strings
@return this preprocessor context instance
"""
this.sources.clear();
this.sources.addAll(assertDoesntContainNull(folderPaths).stream().map(x -> new SourceFolder(this.baseDir, x)).collect(Collectors.toList()));
return this;
} | java | @Nonnull
public PreprocessorContext setSources(@Nonnull @MustNotContainNull final List<String> folderPaths) {
this.sources.clear();
this.sources.addAll(assertDoesntContainNull(folderPaths).stream().map(x -> new SourceFolder(this.baseDir, x)).collect(Collectors.toList()));
return this;
} | [
"@",
"Nonnull",
"public",
"PreprocessorContext",
"setSources",
"(",
"@",
"Nonnull",
"@",
"MustNotContainNull",
"final",
"List",
"<",
"String",
">",
"folderPaths",
")",
"{",
"this",
".",
"sources",
".",
"clear",
"(",
")",
";",
"this",
".",
"sources",
".",
"addAll",
"(",
"assertDoesntContainNull",
"(",
"folderPaths",
")",
".",
"stream",
"(",
")",
".",
"map",
"(",
"x",
"->",
"new",
"SourceFolder",
"(",
"this",
".",
"baseDir",
",",
"x",
")",
")",
".",
"collect",
"(",
"Collectors",
".",
"toList",
"(",
")",
")",
")",
";",
"return",
"this",
";",
"}"
] | Set source directories
@param folderPaths list of source folder paths represented as strings
@return this preprocessor context instance | [
"Set",
"source",
"directories"
] | train | https://github.com/raydac/java-comment-preprocessor/blob/83ac87b575ac084914d77695a8c8673de3b8300c/jcp/src/main/java/com/igormaznitsa/jcp/context/PreprocessorContext.java#L369-L374 |
kite-sdk/kite | kite-data/kite-data-core/src/main/java/org/kitesdk/data/spi/filesystem/FileSystemUtil.java | FileSystemUtil.ensureLocationExists | public static void ensureLocationExists(
DatasetDescriptor descriptor, Configuration conf) {
"""
Creates, if necessary, the given the location for {@code descriptor}.
@param conf A Configuration
@param descriptor A DatasetDescriptor
@throws DatasetIOException
@since 0.13.0
"""
Preconditions.checkNotNull(descriptor.getLocation(),
"Cannot get FileSystem for a descriptor with no location");
Path dataPath = new Path(descriptor.getLocation().toString());
FileSystem fs = null;
try {
fs = dataPath.getFileSystem(conf);
} catch (IOException e) {
throw new DatasetIOException(
"Cannot get FileSystem for descriptor: " + descriptor, e);
}
try {
if (!fs.exists(dataPath)) {
fs.mkdirs(dataPath);
}
} catch (IOException e) {
throw new DatasetIOException("Cannot access data location", e);
}
} | java | public static void ensureLocationExists(
DatasetDescriptor descriptor, Configuration conf) {
Preconditions.checkNotNull(descriptor.getLocation(),
"Cannot get FileSystem for a descriptor with no location");
Path dataPath = new Path(descriptor.getLocation().toString());
FileSystem fs = null;
try {
fs = dataPath.getFileSystem(conf);
} catch (IOException e) {
throw new DatasetIOException(
"Cannot get FileSystem for descriptor: " + descriptor, e);
}
try {
if (!fs.exists(dataPath)) {
fs.mkdirs(dataPath);
}
} catch (IOException e) {
throw new DatasetIOException("Cannot access data location", e);
}
} | [
"public",
"static",
"void",
"ensureLocationExists",
"(",
"DatasetDescriptor",
"descriptor",
",",
"Configuration",
"conf",
")",
"{",
"Preconditions",
".",
"checkNotNull",
"(",
"descriptor",
".",
"getLocation",
"(",
")",
",",
"\"Cannot get FileSystem for a descriptor with no location\"",
")",
";",
"Path",
"dataPath",
"=",
"new",
"Path",
"(",
"descriptor",
".",
"getLocation",
"(",
")",
".",
"toString",
"(",
")",
")",
";",
"FileSystem",
"fs",
"=",
"null",
";",
"try",
"{",
"fs",
"=",
"dataPath",
".",
"getFileSystem",
"(",
"conf",
")",
";",
"}",
"catch",
"(",
"IOException",
"e",
")",
"{",
"throw",
"new",
"DatasetIOException",
"(",
"\"Cannot get FileSystem for descriptor: \"",
"+",
"descriptor",
",",
"e",
")",
";",
"}",
"try",
"{",
"if",
"(",
"!",
"fs",
".",
"exists",
"(",
"dataPath",
")",
")",
"{",
"fs",
".",
"mkdirs",
"(",
"dataPath",
")",
";",
"}",
"}",
"catch",
"(",
"IOException",
"e",
")",
"{",
"throw",
"new",
"DatasetIOException",
"(",
"\"Cannot access data location\"",
",",
"e",
")",
";",
"}",
"}"
] | Creates, if necessary, the given the location for {@code descriptor}.
@param conf A Configuration
@param descriptor A DatasetDescriptor
@throws DatasetIOException
@since 0.13.0 | [
"Creates",
"if",
"necessary",
"the",
"given",
"the",
"location",
"for",
"{",
"@code",
"descriptor",
"}",
"."
] | train | https://github.com/kite-sdk/kite/blob/72bfb4b1a881af85808cd7f14bc3e15160a1e811/kite-data/kite-data-core/src/main/java/org/kitesdk/data/spi/filesystem/FileSystemUtil.java#L66-L88 |
Stratio/stratio-cassandra | src/java/com/stratio/cassandra/index/service/ClusteringKeyMapper.java | ClusteringKeyMapper.makeCellName | public final CellName makeCellName(CellName cellName, ColumnDefinition columnDefinition) {
"""
Returns the storage engine column name for the specified column identifier using the specified clustering key.
@param cellName The clustering key.
@param columnDefinition The column definition.
@return A storage engine column name.
"""
return cellNameType.create(start(cellName), columnDefinition);
} | java | public final CellName makeCellName(CellName cellName, ColumnDefinition columnDefinition) {
return cellNameType.create(start(cellName), columnDefinition);
} | [
"public",
"final",
"CellName",
"makeCellName",
"(",
"CellName",
"cellName",
",",
"ColumnDefinition",
"columnDefinition",
")",
"{",
"return",
"cellNameType",
".",
"create",
"(",
"start",
"(",
"cellName",
")",
",",
"columnDefinition",
")",
";",
"}"
] | Returns the storage engine column name for the specified column identifier using the specified clustering key.
@param cellName The clustering key.
@param columnDefinition The column definition.
@return A storage engine column name. | [
"Returns",
"the",
"storage",
"engine",
"column",
"name",
"for",
"the",
"specified",
"column",
"identifier",
"using",
"the",
"specified",
"clustering",
"key",
"."
] | train | https://github.com/Stratio/stratio-cassandra/blob/f6416b43ad5309083349ad56266450fa8c6a2106/src/java/com/stratio/cassandra/index/service/ClusteringKeyMapper.java#L177-L179 |
baidubce/bce-sdk-java | src/main/java/com/baidubce/services/bos/BosClient.java | BosClient.listParts | public ListPartsResponse listParts(String bucketName, String key, String uploadId) {
"""
Lists the parts that have been uploaded for a specific multipart upload.
@param bucketName The name of the bucket containing the multipart upload whose parts are being listed.
@param key The key of the associated multipart upload whose parts are being listed.
@param uploadId The ID of the multipart upload whose parts are being listed.
@return Returns a ListPartsResponse from Bos.
"""
return this.listParts(new ListPartsRequest(bucketName, key, uploadId));
} | java | public ListPartsResponse listParts(String bucketName, String key, String uploadId) {
return this.listParts(new ListPartsRequest(bucketName, key, uploadId));
} | [
"public",
"ListPartsResponse",
"listParts",
"(",
"String",
"bucketName",
",",
"String",
"key",
",",
"String",
"uploadId",
")",
"{",
"return",
"this",
".",
"listParts",
"(",
"new",
"ListPartsRequest",
"(",
"bucketName",
",",
"key",
",",
"uploadId",
")",
")",
";",
"}"
] | Lists the parts that have been uploaded for a specific multipart upload.
@param bucketName The name of the bucket containing the multipart upload whose parts are being listed.
@param key The key of the associated multipart upload whose parts are being listed.
@param uploadId The ID of the multipart upload whose parts are being listed.
@return Returns a ListPartsResponse from Bos. | [
"Lists",
"the",
"parts",
"that",
"have",
"been",
"uploaded",
"for",
"a",
"specific",
"multipart",
"upload",
"."
] | train | https://github.com/baidubce/bce-sdk-java/blob/f7140f28dd82121515c88ded7bfe769a37d0ec4a/src/main/java/com/baidubce/services/bos/BosClient.java#L1187-L1189 |
amaembo/streamex | src/main/java/one/util/streamex/EntryStream.java | EntryStream.append | public EntryStream<K, V> append(Map<K, V> map) {
"""
Returns a new {@code EntryStream} which is a concatenation of this stream
and the stream created from the supplied map entries.
<p>
This is a <a href="package-summary.html#StreamOps">quasi-intermediate
operation</a>.
<p>
May return this if the supplied map is empty and non-concurrent.
@param map the map to prepend to the stream
@return the new stream
@since 0.2.1
"""
return appendSpliterator(null, map.entrySet().spliterator());
} | java | public EntryStream<K, V> append(Map<K, V> map) {
return appendSpliterator(null, map.entrySet().spliterator());
} | [
"public",
"EntryStream",
"<",
"K",
",",
"V",
">",
"append",
"(",
"Map",
"<",
"K",
",",
"V",
">",
"map",
")",
"{",
"return",
"appendSpliterator",
"(",
"null",
",",
"map",
".",
"entrySet",
"(",
")",
".",
"spliterator",
"(",
")",
")",
";",
"}"
] | Returns a new {@code EntryStream} which is a concatenation of this stream
and the stream created from the supplied map entries.
<p>
This is a <a href="package-summary.html#StreamOps">quasi-intermediate
operation</a>.
<p>
May return this if the supplied map is empty and non-concurrent.
@param map the map to prepend to the stream
@return the new stream
@since 0.2.1 | [
"Returns",
"a",
"new",
"{",
"@code",
"EntryStream",
"}",
"which",
"is",
"a",
"concatenation",
"of",
"this",
"stream",
"and",
"the",
"stream",
"created",
"from",
"the",
"supplied",
"map",
"entries",
"."
] | train | https://github.com/amaembo/streamex/blob/936bbd1b7dfbcf64a3b990682bfc848213441d14/src/main/java/one/util/streamex/EntryStream.java#L274-L276 |
astrapi69/mystic-crypt | crypt-data/src/main/java/de/alpharogroup/crypto/factories/KeyPairFactory.java | KeyPairFactory.newKeyPair | public static KeyPair newKeyPair(final String algorithm, final int keySize)
throws NoSuchAlgorithmException, NoSuchProviderException {
"""
Factory method for creating a new {@link KeyPair} from the given parameters.
@param algorithm
the algorithm
@param keySize
the key size
@return the new {@link KeyPair} from the given parameters
@throws NoSuchAlgorithmException
is thrown if no Provider supports a KeyPairGeneratorSpi implementation for the
specified algorithm
@throws NoSuchProviderException
is thrown if the specified provider is not registered in the security provider
list
"""
final KeyPairGenerator generator = newKeyPairGenerator(algorithm, keySize);
return generator.generateKeyPair();
} | java | public static KeyPair newKeyPair(final String algorithm, final int keySize)
throws NoSuchAlgorithmException, NoSuchProviderException
{
final KeyPairGenerator generator = newKeyPairGenerator(algorithm, keySize);
return generator.generateKeyPair();
} | [
"public",
"static",
"KeyPair",
"newKeyPair",
"(",
"final",
"String",
"algorithm",
",",
"final",
"int",
"keySize",
")",
"throws",
"NoSuchAlgorithmException",
",",
"NoSuchProviderException",
"{",
"final",
"KeyPairGenerator",
"generator",
"=",
"newKeyPairGenerator",
"(",
"algorithm",
",",
"keySize",
")",
";",
"return",
"generator",
".",
"generateKeyPair",
"(",
")",
";",
"}"
] | Factory method for creating a new {@link KeyPair} from the given parameters.
@param algorithm
the algorithm
@param keySize
the key size
@return the new {@link KeyPair} from the given parameters
@throws NoSuchAlgorithmException
is thrown if no Provider supports a KeyPairGeneratorSpi implementation for the
specified algorithm
@throws NoSuchProviderException
is thrown if the specified provider is not registered in the security provider
list | [
"Factory",
"method",
"for",
"creating",
"a",
"new",
"{",
"@link",
"KeyPair",
"}",
"from",
"the",
"given",
"parameters",
"."
] | train | https://github.com/astrapi69/mystic-crypt/blob/7f51ef5e4457e24de7ff391f10bfc5609e6f1a34/crypt-data/src/main/java/de/alpharogroup/crypto/factories/KeyPairFactory.java#L112-L117 |
samskivert/pythagoras | src/main/java/pythagoras/f/Crossing.java | Crossing.intersectShape | public static int intersectShape (IShape s, float x, float y, float w, float h) {
"""
Returns how many times rectangle stripe cross shape or the are intersect
"""
if (!s.bounds().intersects(x, y, w, h)) {
return 0;
}
return intersectPath(s.pathIterator(null), x, y, w, h);
} | java | public static int intersectShape (IShape s, float x, float y, float w, float h) {
if (!s.bounds().intersects(x, y, w, h)) {
return 0;
}
return intersectPath(s.pathIterator(null), x, y, w, h);
} | [
"public",
"static",
"int",
"intersectShape",
"(",
"IShape",
"s",
",",
"float",
"x",
",",
"float",
"y",
",",
"float",
"w",
",",
"float",
"h",
")",
"{",
"if",
"(",
"!",
"s",
".",
"bounds",
"(",
")",
".",
"intersects",
"(",
"x",
",",
"y",
",",
"w",
",",
"h",
")",
")",
"{",
"return",
"0",
";",
"}",
"return",
"intersectPath",
"(",
"s",
".",
"pathIterator",
"(",
"null",
")",
",",
"x",
",",
"y",
",",
"w",
",",
"h",
")",
";",
"}"
] | Returns how many times rectangle stripe cross shape or the are intersect | [
"Returns",
"how",
"many",
"times",
"rectangle",
"stripe",
"cross",
"shape",
"or",
"the",
"are",
"intersect"
] | train | https://github.com/samskivert/pythagoras/blob/b8fea743ee8a7d742ad9c06ee4f11f50571fbd32/src/main/java/pythagoras/f/Crossing.java#L761-L766 |
BorderTech/wcomponents | wcomponents-examples/src/main/java/com/github/bordertech/wcomponents/examples/theme/WLabelExample.java | WLabelExample.addNestedFieldExamples | private void addNestedFieldExamples() {
"""
Examples showing WLabel with a nested input control WComponent.
This is VERY dangerous as only a very few WComponents are valid for this scenario. If you go down this route: stop!!
These are really here for framework testing, not as examples as to how to do things.
"""
add(new WHeading(HeadingLevel.H2, "Label nesting which is technically OK"));
/* Just because it is OK to do this does not mean you should! So these "examples" have far fewer comments. */
WPanel errorLayoutPanel = new WPanel();
errorLayoutPanel.setLayout(new FlowLayout(FlowLayout.VERTICAL, Size.LARGE));
errorLayoutPanel.setMargin(new Margin(null, null, Size.XL, null));
add(errorLayoutPanel);
errorLayoutPanel.add(new ExplanatoryText("This example shows WLabels with a single nested simple form control WTextField."
+ " This is not a contravention of the HTML specification but you should not do it."));
WLabel outerLabel = new WLabel("Label with nested WTextField and not 'for' anything");
errorLayoutPanel.add(outerLabel);
outerLabel.add(new WTextField());
WTextField innerField = new WTextField();
outerLabel = new WLabel("Label 'for' nested WTextField", innerField);
errorLayoutPanel.add(outerLabel);
outerLabel.add(innerField);
} | java | private void addNestedFieldExamples() {
add(new WHeading(HeadingLevel.H2, "Label nesting which is technically OK"));
/* Just because it is OK to do this does not mean you should! So these "examples" have far fewer comments. */
WPanel errorLayoutPanel = new WPanel();
errorLayoutPanel.setLayout(new FlowLayout(FlowLayout.VERTICAL, Size.LARGE));
errorLayoutPanel.setMargin(new Margin(null, null, Size.XL, null));
add(errorLayoutPanel);
errorLayoutPanel.add(new ExplanatoryText("This example shows WLabels with a single nested simple form control WTextField."
+ " This is not a contravention of the HTML specification but you should not do it."));
WLabel outerLabel = new WLabel("Label with nested WTextField and not 'for' anything");
errorLayoutPanel.add(outerLabel);
outerLabel.add(new WTextField());
WTextField innerField = new WTextField();
outerLabel = new WLabel("Label 'for' nested WTextField", innerField);
errorLayoutPanel.add(outerLabel);
outerLabel.add(innerField);
} | [
"private",
"void",
"addNestedFieldExamples",
"(",
")",
"{",
"add",
"(",
"new",
"WHeading",
"(",
"HeadingLevel",
".",
"H2",
",",
"\"Label nesting which is technically OK\"",
")",
")",
";",
"/* Just because it is OK to do this does not mean you should! So these \"examples\" have far fewer comments. */",
"WPanel",
"errorLayoutPanel",
"=",
"new",
"WPanel",
"(",
")",
";",
"errorLayoutPanel",
".",
"setLayout",
"(",
"new",
"FlowLayout",
"(",
"FlowLayout",
".",
"VERTICAL",
",",
"Size",
".",
"LARGE",
")",
")",
";",
"errorLayoutPanel",
".",
"setMargin",
"(",
"new",
"Margin",
"(",
"null",
",",
"null",
",",
"Size",
".",
"XL",
",",
"null",
")",
")",
";",
"add",
"(",
"errorLayoutPanel",
")",
";",
"errorLayoutPanel",
".",
"add",
"(",
"new",
"ExplanatoryText",
"(",
"\"This example shows WLabels with a single nested simple form control WTextField.\"",
"+",
"\" This is not a contravention of the HTML specification but you should not do it.\"",
")",
")",
";",
"WLabel",
"outerLabel",
"=",
"new",
"WLabel",
"(",
"\"Label with nested WTextField and not 'for' anything\"",
")",
";",
"errorLayoutPanel",
".",
"add",
"(",
"outerLabel",
")",
";",
"outerLabel",
".",
"add",
"(",
"new",
"WTextField",
"(",
")",
")",
";",
"WTextField",
"innerField",
"=",
"new",
"WTextField",
"(",
")",
";",
"outerLabel",
"=",
"new",
"WLabel",
"(",
"\"Label 'for' nested WTextField\"",
",",
"innerField",
")",
";",
"errorLayoutPanel",
".",
"add",
"(",
"outerLabel",
")",
";",
"outerLabel",
".",
"add",
"(",
"innerField",
")",
";",
"}"
] | Examples showing WLabel with a nested input control WComponent.
This is VERY dangerous as only a very few WComponents are valid for this scenario. If you go down this route: stop!!
These are really here for framework testing, not as examples as to how to do things. | [
"Examples",
"showing",
"WLabel",
"with",
"a",
"nested",
"input",
"control",
"WComponent",
".",
"This",
"is",
"VERY",
"dangerous",
"as",
"only",
"a",
"very",
"few",
"WComponents",
"are",
"valid",
"for",
"this",
"scenario",
".",
"If",
"you",
"go",
"down",
"this",
"route",
":",
"stop!!",
"These",
"are",
"really",
"here",
"for",
"framework",
"testing",
"not",
"as",
"examples",
"as",
"to",
"how",
"to",
"do",
"things",
"."
] | train | https://github.com/BorderTech/wcomponents/blob/d1a2b2243270067db030feb36ca74255aaa94436/wcomponents-examples/src/main/java/com/github/bordertech/wcomponents/examples/theme/WLabelExample.java#L181-L197 |
line/armeria | core/src/main/java/com/linecorp/armeria/internal/annotation/AnnotatedHttpServiceFactory.java | AnnotatedHttpServiceFactory.httpMethodAnnotations | private static Set<Annotation> httpMethodAnnotations(Method method) {
"""
Returns {@link Set} of HTTP method annotations of a given method.
The annotations are as follows.
@see Options
@see Get
@see Head
@see Post
@see Put
@see Patch
@see Delete
@see Trace
"""
return getAnnotations(method, FindOption.LOOKUP_SUPER_CLASSES)
.stream()
.filter(annotation -> HTTP_METHOD_MAP.containsKey(annotation.annotationType()))
.collect(Collectors.toSet());
} | java | private static Set<Annotation> httpMethodAnnotations(Method method) {
return getAnnotations(method, FindOption.LOOKUP_SUPER_CLASSES)
.stream()
.filter(annotation -> HTTP_METHOD_MAP.containsKey(annotation.annotationType()))
.collect(Collectors.toSet());
} | [
"private",
"static",
"Set",
"<",
"Annotation",
">",
"httpMethodAnnotations",
"(",
"Method",
"method",
")",
"{",
"return",
"getAnnotations",
"(",
"method",
",",
"FindOption",
".",
"LOOKUP_SUPER_CLASSES",
")",
".",
"stream",
"(",
")",
".",
"filter",
"(",
"annotation",
"->",
"HTTP_METHOD_MAP",
".",
"containsKey",
"(",
"annotation",
".",
"annotationType",
"(",
")",
")",
")",
".",
"collect",
"(",
"Collectors",
".",
"toSet",
"(",
")",
")",
";",
"}"
] | Returns {@link Set} of HTTP method annotations of a given method.
The annotations are as follows.
@see Options
@see Get
@see Head
@see Post
@see Put
@see Patch
@see Delete
@see Trace | [
"Returns",
"{",
"@link",
"Set",
"}",
"of",
"HTTP",
"method",
"annotations",
"of",
"a",
"given",
"method",
".",
"The",
"annotations",
"are",
"as",
"follows",
"."
] | train | https://github.com/line/armeria/blob/67d29e019fd35a35f89c45cc8f9119ff9b12b44d/core/src/main/java/com/linecorp/armeria/internal/annotation/AnnotatedHttpServiceFactory.java#L421-L426 |
wellner/jcarafe | jcarafe-core/src/main/java/cern/colt/list/AbstractDoubleList.java | AbstractDoubleList.addAllOfFromTo | public void addAllOfFromTo(AbstractDoubleList other, int from, int to) {
"""
Appends the part of the specified list between <code>from</code> (inclusive) and <code>to</code> (inclusive) to the receiver.
@param other the list to be added to the receiver.
@param from the index of the first element to be appended (inclusive).
@param to the index of the last element to be appended (inclusive).
@exception IndexOutOfBoundsException index is out of range (<tt>other.size()>0 && (from<0 || from>to || to>=other.size())</tt>).
"""
beforeInsertAllOfFromTo(size,other,from,to);
} | java | public void addAllOfFromTo(AbstractDoubleList other, int from, int to) {
beforeInsertAllOfFromTo(size,other,from,to);
} | [
"public",
"void",
"addAllOfFromTo",
"(",
"AbstractDoubleList",
"other",
",",
"int",
"from",
",",
"int",
"to",
")",
"{",
"beforeInsertAllOfFromTo",
"(",
"size",
",",
"other",
",",
"from",
",",
"to",
")",
";",
"}"
] | Appends the part of the specified list between <code>from</code> (inclusive) and <code>to</code> (inclusive) to the receiver.
@param other the list to be added to the receiver.
@param from the index of the first element to be appended (inclusive).
@param to the index of the last element to be appended (inclusive).
@exception IndexOutOfBoundsException index is out of range (<tt>other.size()>0 && (from<0 || from>to || to>=other.size())</tt>). | [
"Appends",
"the",
"part",
"of",
"the",
"specified",
"list",
"between",
"<code",
">",
"from<",
"/",
"code",
">",
"(",
"inclusive",
")",
"and",
"<code",
">",
"to<",
"/",
"code",
">",
"(",
"inclusive",
")",
"to",
"the",
"receiver",
"."
] | train | https://github.com/wellner/jcarafe/blob/ab8b0a83dbf600fe80c27711815c90bd3055b217/jcarafe-core/src/main/java/cern/colt/list/AbstractDoubleList.java#L53-L55 |
ineunetOS/knife-commons | knife-commons-utils/src/main/java/com/ineunet/knife/util/StringUtils.java | StringUtils.lastIndexOf | public static int lastIndexOf(String str, String searchStr, int startPos) {
"""
<p>Finds the first index within a String, handling <code>null</code>.
This method uses {@link String#lastIndexOf(String, int)}.</p>
<p>A <code>null</code> String will return <code>-1</code>.
A negative start position returns <code>-1</code>.
An empty ("") search String always matches unless the start position is negative.
A start position greater than the string length searches the whole string.</p>
<pre>
StringUtils.lastIndexOf(null, *, *) = -1
StringUtils.lastIndexOf(*, null, *) = -1
StringUtils.lastIndexOf("aabaabaa", "a", 8) = 7
StringUtils.lastIndexOf("aabaabaa", "b", 8) = 5
StringUtils.lastIndexOf("aabaabaa", "ab", 8) = 4
StringUtils.lastIndexOf("aabaabaa", "b", 9) = 5
StringUtils.lastIndexOf("aabaabaa", "b", -1) = -1
StringUtils.lastIndexOf("aabaabaa", "a", 0) = 0
StringUtils.lastIndexOf("aabaabaa", "b", 0) = -1
</pre>
@param str the String to check, may be null
@param searchStr the String to find, may be null
@param startPos the start position, negative treated as zero
@return the first index of the search String,
-1 if no match or <code>null</code> string input
@since 2.0
"""
if (str == null || searchStr == null) {
return INDEX_NOT_FOUND;
}
return str.lastIndexOf(searchStr, startPos);
} | java | public static int lastIndexOf(String str, String searchStr, int startPos) {
if (str == null || searchStr == null) {
return INDEX_NOT_FOUND;
}
return str.lastIndexOf(searchStr, startPos);
} | [
"public",
"static",
"int",
"lastIndexOf",
"(",
"String",
"str",
",",
"String",
"searchStr",
",",
"int",
"startPos",
")",
"{",
"if",
"(",
"str",
"==",
"null",
"||",
"searchStr",
"==",
"null",
")",
"{",
"return",
"INDEX_NOT_FOUND",
";",
"}",
"return",
"str",
".",
"lastIndexOf",
"(",
"searchStr",
",",
"startPos",
")",
";",
"}"
] | <p>Finds the first index within a String, handling <code>null</code>.
This method uses {@link String#lastIndexOf(String, int)}.</p>
<p>A <code>null</code> String will return <code>-1</code>.
A negative start position returns <code>-1</code>.
An empty ("") search String always matches unless the start position is negative.
A start position greater than the string length searches the whole string.</p>
<pre>
StringUtils.lastIndexOf(null, *, *) = -1
StringUtils.lastIndexOf(*, null, *) = -1
StringUtils.lastIndexOf("aabaabaa", "a", 8) = 7
StringUtils.lastIndexOf("aabaabaa", "b", 8) = 5
StringUtils.lastIndexOf("aabaabaa", "ab", 8) = 4
StringUtils.lastIndexOf("aabaabaa", "b", 9) = 5
StringUtils.lastIndexOf("aabaabaa", "b", -1) = -1
StringUtils.lastIndexOf("aabaabaa", "a", 0) = 0
StringUtils.lastIndexOf("aabaabaa", "b", 0) = -1
</pre>
@param str the String to check, may be null
@param searchStr the String to find, may be null
@param startPos the start position, negative treated as zero
@return the first index of the search String,
-1 if no match or <code>null</code> string input
@since 2.0 | [
"<p",
">",
"Finds",
"the",
"first",
"index",
"within",
"a",
"String",
"handling",
"<code",
">",
"null<",
"/",
"code",
">",
".",
"This",
"method",
"uses",
"{",
"@link",
"String#lastIndexOf",
"(",
"String",
"int",
")",
"}",
".",
"<",
"/",
"p",
">"
] | train | https://github.com/ineunetOS/knife-commons/blob/eae9e59afa020a00ae8977c10d43ac8ae46ae236/knife-commons-utils/src/main/java/com/ineunet/knife/util/StringUtils.java#L1100-L1105 |
jcuda/jcuda | JCudaJava/src/main/java/jcuda/runtime/JCuda.java | JCuda.cudaMemcpyPeerAsync | public static int cudaMemcpyPeerAsync(Pointer dst, int dstDevice, Pointer src, int srcDevice, long count, cudaStream_t stream) {
"""
Copies memory between two devices asynchronously.
<pre>
cudaError_t cudaMemcpyPeerAsync (
void* dst,
int dstDevice,
const void* src,
int srcDevice,
size_t count,
cudaStream_t stream = 0 )
</pre>
<div>
<p>Copies memory between two devices
asynchronously. Copies memory from one device to memory on another
device. <tt>dst</tt> is the base device pointer of the destination
memory and <tt>dstDevice</tt> is the destination device. <tt>src</tt>
is the base device pointer of the source memory and <tt>srcDevice</tt>
is the source device. <tt>count</tt> specifies the number of bytes to
copy.
</p>
<p>Note that this function is asynchronous
with respect to the host and all work in other streams and other
devices.
</p>
<div>
<span>Note:</span>
<ul>
<li>
<p>Note that this function may
also return error codes from previous, asynchronous launches.
</p>
</li>
<li>
<p>This function exhibits
asynchronous behavior for most use cases.
</p>
</li>
</ul>
</div>
</p>
</div>
@param dst Destination device pointer
@param dstDevice Destination device
@param src Source device pointer
@param srcDevice Source device
@param count Size of memory copy in bytes
@param stream Stream identifier
@return cudaSuccess, cudaErrorInvalidValue, cudaErrorInvalidDevice
@see JCuda#cudaMemcpy
@see JCuda#cudaMemcpyPeer
@see JCuda#cudaMemcpyAsync
@see JCuda#cudaMemcpy3DPeerAsync
"""
return checkResult(cudaMemcpyPeerAsyncNative(dst, dstDevice, src, srcDevice, count, stream));
} | java | public static int cudaMemcpyPeerAsync(Pointer dst, int dstDevice, Pointer src, int srcDevice, long count, cudaStream_t stream)
{
return checkResult(cudaMemcpyPeerAsyncNative(dst, dstDevice, src, srcDevice, count, stream));
} | [
"public",
"static",
"int",
"cudaMemcpyPeerAsync",
"(",
"Pointer",
"dst",
",",
"int",
"dstDevice",
",",
"Pointer",
"src",
",",
"int",
"srcDevice",
",",
"long",
"count",
",",
"cudaStream_t",
"stream",
")",
"{",
"return",
"checkResult",
"(",
"cudaMemcpyPeerAsyncNative",
"(",
"dst",
",",
"dstDevice",
",",
"src",
",",
"srcDevice",
",",
"count",
",",
"stream",
")",
")",
";",
"}"
] | Copies memory between two devices asynchronously.
<pre>
cudaError_t cudaMemcpyPeerAsync (
void* dst,
int dstDevice,
const void* src,
int srcDevice,
size_t count,
cudaStream_t stream = 0 )
</pre>
<div>
<p>Copies memory between two devices
asynchronously. Copies memory from one device to memory on another
device. <tt>dst</tt> is the base device pointer of the destination
memory and <tt>dstDevice</tt> is the destination device. <tt>src</tt>
is the base device pointer of the source memory and <tt>srcDevice</tt>
is the source device. <tt>count</tt> specifies the number of bytes to
copy.
</p>
<p>Note that this function is asynchronous
with respect to the host and all work in other streams and other
devices.
</p>
<div>
<span>Note:</span>
<ul>
<li>
<p>Note that this function may
also return error codes from previous, asynchronous launches.
</p>
</li>
<li>
<p>This function exhibits
asynchronous behavior for most use cases.
</p>
</li>
</ul>
</div>
</p>
</div>
@param dst Destination device pointer
@param dstDevice Destination device
@param src Source device pointer
@param srcDevice Source device
@param count Size of memory copy in bytes
@param stream Stream identifier
@return cudaSuccess, cudaErrorInvalidValue, cudaErrorInvalidDevice
@see JCuda#cudaMemcpy
@see JCuda#cudaMemcpyPeer
@see JCuda#cudaMemcpyAsync
@see JCuda#cudaMemcpy3DPeerAsync | [
"Copies",
"memory",
"between",
"two",
"devices",
"asynchronously",
"."
] | train | https://github.com/jcuda/jcuda/blob/468528b5b9b37dfceb6ed83fcfd889e9b359f984/JCudaJava/src/main/java/jcuda/runtime/JCuda.java#L5520-L5523 |
xcesco/kripton | kripton-processor/src/main/java/com/abubusoft/kripton/processor/sqlite/transform/CurrencySQLTransform.java | CurrencySQLTransform.generateResetProperty | @Override
public void generateResetProperty(Builder methodBuilder, TypeName beanClass, String beanName, ModelProperty property, String cursorName, String indexName) {
"""
/* (non-Javadoc)
@see com.abubusoft.kripton.processor.sqlite.transform.SQLTransform#generateResetProperty(com.squareup.javapoet.MethodSpec.Builder, com.squareup.javapoet.TypeName, java.lang.String, com.abubusoft.kripton.processor.core.ModelProperty, java.lang.String, java.lang.String)
"""
methodBuilder.addCode(setter(beanClass, beanName, property, "null"));
} | java | @Override
public void generateResetProperty(Builder methodBuilder, TypeName beanClass, String beanName, ModelProperty property, String cursorName, String indexName) {
methodBuilder.addCode(setter(beanClass, beanName, property, "null"));
} | [
"@",
"Override",
"public",
"void",
"generateResetProperty",
"(",
"Builder",
"methodBuilder",
",",
"TypeName",
"beanClass",
",",
"String",
"beanName",
",",
"ModelProperty",
"property",
",",
"String",
"cursorName",
",",
"String",
"indexName",
")",
"{",
"methodBuilder",
".",
"addCode",
"(",
"setter",
"(",
"beanClass",
",",
"beanName",
",",
"property",
",",
"\"null\"",
")",
")",
";",
"}"
] | /* (non-Javadoc)
@see com.abubusoft.kripton.processor.sqlite.transform.SQLTransform#generateResetProperty(com.squareup.javapoet.MethodSpec.Builder, com.squareup.javapoet.TypeName, java.lang.String, com.abubusoft.kripton.processor.core.ModelProperty, java.lang.String, java.lang.String) | [
"/",
"*",
"(",
"non",
"-",
"Javadoc",
")"
] | train | https://github.com/xcesco/kripton/blob/90de2c0523d39b99e81b8d38aa996898762f594a/kripton-processor/src/main/java/com/abubusoft/kripton/processor/sqlite/transform/CurrencySQLTransform.java#L74-L77 |
centic9/commons-dost | src/main/java/org/dstadler/commons/metrics/MetricsUtils.java | MetricsUtils.sendMetric | public static void sendMetric(String metric, int value, long ts, String url, String user, String password) throws IOException {
"""
Send the given value for the given metric and timestamp.
Authentication can be provided via the configured {@link HttpClient} instance.
@param metric The key of the metric
@param value The value of the measurement
@param ts The timestamp of the measurement
@param url The base URL where Elasticsearch is available.
@param user The username for basic authentication of the HTTP connection, empty if unused
@param password The password for basic authentication of the HTTP connection, null if unused
@throws IOException If the HTTP call fails with an HTTP status code.
"""
try (HttpClientWrapper metrics = new HttpClientWrapper(user, password, 60_000)) {
sendMetric(metric, value, ts, metrics.getHttpClient(), url);
}
} | java | public static void sendMetric(String metric, int value, long ts, String url, String user, String password) throws IOException {
try (HttpClientWrapper metrics = new HttpClientWrapper(user, password, 60_000)) {
sendMetric(metric, value, ts, metrics.getHttpClient(), url);
}
} | [
"public",
"static",
"void",
"sendMetric",
"(",
"String",
"metric",
",",
"int",
"value",
",",
"long",
"ts",
",",
"String",
"url",
",",
"String",
"user",
",",
"String",
"password",
")",
"throws",
"IOException",
"{",
"try",
"(",
"HttpClientWrapper",
"metrics",
"=",
"new",
"HttpClientWrapper",
"(",
"user",
",",
"password",
",",
"60_000",
")",
")",
"{",
"sendMetric",
"(",
"metric",
",",
"value",
",",
"ts",
",",
"metrics",
".",
"getHttpClient",
"(",
")",
",",
"url",
")",
";",
"}",
"}"
] | Send the given value for the given metric and timestamp.
Authentication can be provided via the configured {@link HttpClient} instance.
@param metric The key of the metric
@param value The value of the measurement
@param ts The timestamp of the measurement
@param url The base URL where Elasticsearch is available.
@param user The username for basic authentication of the HTTP connection, empty if unused
@param password The password for basic authentication of the HTTP connection, null if unused
@throws IOException If the HTTP call fails with an HTTP status code. | [
"Send",
"the",
"given",
"value",
"for",
"the",
"given",
"metric",
"and",
"timestamp",
"."
] | train | https://github.com/centic9/commons-dost/blob/f6fa4e3e0b943ff103f918824319d8abf33d0e0f/src/main/java/org/dstadler/commons/metrics/MetricsUtils.java#L39-L43 |
vznet/mongo-jackson-mapper | src/main/java/net/vz/mongodb/jackson/internal/util/SerializationUtils.java | SerializationUtils.serializeFields | public static DBObject serializeFields(ObjectMapper objectMapper, DBObject object) {
"""
Serialize the fields of the given object using the given object mapper. This will convert POJOs to DBObjects
where necessary.
@param objectMapper The object mapper to use to do the serialization
@param object The object to serialize the fields of
@return The DBObject, safe for serialization to MongoDB
"""
BasicDBObject serialised = null;
for (String field : object.keySet()) {
Object value = object.get(field);
Object serialisedValue = serializeField(objectMapper, value);
if (value != serialisedValue) {
// It's changed
if (serialised == null) {
// Make a shallow copy of the object
serialised = new BasicDBObject();
for (String f : object.keySet()) {
serialised.put(f, object.get(f));
}
}
serialised.put(field, serialisedValue);
}
}
if (serialised != null) {
return serialised;
} else {
return object;
}
} | java | public static DBObject serializeFields(ObjectMapper objectMapper, DBObject object) {
BasicDBObject serialised = null;
for (String field : object.keySet()) {
Object value = object.get(field);
Object serialisedValue = serializeField(objectMapper, value);
if (value != serialisedValue) {
// It's changed
if (serialised == null) {
// Make a shallow copy of the object
serialised = new BasicDBObject();
for (String f : object.keySet()) {
serialised.put(f, object.get(f));
}
}
serialised.put(field, serialisedValue);
}
}
if (serialised != null) {
return serialised;
} else {
return object;
}
} | [
"public",
"static",
"DBObject",
"serializeFields",
"(",
"ObjectMapper",
"objectMapper",
",",
"DBObject",
"object",
")",
"{",
"BasicDBObject",
"serialised",
"=",
"null",
";",
"for",
"(",
"String",
"field",
":",
"object",
".",
"keySet",
"(",
")",
")",
"{",
"Object",
"value",
"=",
"object",
".",
"get",
"(",
"field",
")",
";",
"Object",
"serialisedValue",
"=",
"serializeField",
"(",
"objectMapper",
",",
"value",
")",
";",
"if",
"(",
"value",
"!=",
"serialisedValue",
")",
"{",
"// It's changed",
"if",
"(",
"serialised",
"==",
"null",
")",
"{",
"// Make a shallow copy of the object",
"serialised",
"=",
"new",
"BasicDBObject",
"(",
")",
";",
"for",
"(",
"String",
"f",
":",
"object",
".",
"keySet",
"(",
")",
")",
"{",
"serialised",
".",
"put",
"(",
"f",
",",
"object",
".",
"get",
"(",
"f",
")",
")",
";",
"}",
"}",
"serialised",
".",
"put",
"(",
"field",
",",
"serialisedValue",
")",
";",
"}",
"}",
"if",
"(",
"serialised",
"!=",
"null",
")",
"{",
"return",
"serialised",
";",
"}",
"else",
"{",
"return",
"object",
";",
"}",
"}"
] | Serialize the fields of the given object using the given object mapper. This will convert POJOs to DBObjects
where necessary.
@param objectMapper The object mapper to use to do the serialization
@param object The object to serialize the fields of
@return The DBObject, safe for serialization to MongoDB | [
"Serialize",
"the",
"fields",
"of",
"the",
"given",
"object",
"using",
"the",
"given",
"object",
"mapper",
".",
"This",
"will",
"convert",
"POJOs",
"to",
"DBObjects",
"where",
"necessary",
"."
] | train | https://github.com/vznet/mongo-jackson-mapper/blob/ecd189aefa89636cddf70fb383f5d676be347976/src/main/java/net/vz/mongodb/jackson/internal/util/SerializationUtils.java#L77-L99 |
watchrabbit/rabbit-commons | src/main/java/com/watchrabbit/commons/async/FutureContext.java | FutureContext.register | public static <T> void register(Future<T> future, Consumer<T> consumer, long timeout, TimeUnit timeUnit) {
"""
Adds new {@code Future} and {@code Consumer} to the context of this
thread. To resolve this future and invoke the result consumer use method
{@link resolve()} Use this method to specify maximum {@code timeout} used
when obtaining object from {@code future}
@param <T> type of {@code future} and {@code consumer}
@param future {@code future} that returns argument of type {@code <T>}
used by {@code consumer}
@param consumer {@code consumer} of object obtained from {@code future}
@param timeout the maximum time to wait
@param timeUnit the time unit of the {@code timeout} argument
"""
LOGGER.debug("Registering new future {} and consumer {} with timeout {} {}", future, consumer, timeout, timeUnit);
getFutureContext().add(future, consumer, timeout, timeUnit);
} | java | public static <T> void register(Future<T> future, Consumer<T> consumer, long timeout, TimeUnit timeUnit) {
LOGGER.debug("Registering new future {} and consumer {} with timeout {} {}", future, consumer, timeout, timeUnit);
getFutureContext().add(future, consumer, timeout, timeUnit);
} | [
"public",
"static",
"<",
"T",
">",
"void",
"register",
"(",
"Future",
"<",
"T",
">",
"future",
",",
"Consumer",
"<",
"T",
">",
"consumer",
",",
"long",
"timeout",
",",
"TimeUnit",
"timeUnit",
")",
"{",
"LOGGER",
".",
"debug",
"(",
"\"Registering new future {} and consumer {} with timeout {} {}\"",
",",
"future",
",",
"consumer",
",",
"timeout",
",",
"timeUnit",
")",
";",
"getFutureContext",
"(",
")",
".",
"add",
"(",
"future",
",",
"consumer",
",",
"timeout",
",",
"timeUnit",
")",
";",
"}"
] | Adds new {@code Future} and {@code Consumer} to the context of this
thread. To resolve this future and invoke the result consumer use method
{@link resolve()} Use this method to specify maximum {@code timeout} used
when obtaining object from {@code future}
@param <T> type of {@code future} and {@code consumer}
@param future {@code future} that returns argument of type {@code <T>}
used by {@code consumer}
@param consumer {@code consumer} of object obtained from {@code future}
@param timeout the maximum time to wait
@param timeUnit the time unit of the {@code timeout} argument | [
"Adds",
"new",
"{",
"@code",
"Future",
"}",
"and",
"{",
"@code",
"Consumer",
"}",
"to",
"the",
"context",
"of",
"this",
"thread",
".",
"To",
"resolve",
"this",
"future",
"and",
"invoke",
"the",
"result",
"consumer",
"use",
"method",
"{",
"@link",
"resolve",
"()",
"}",
"Use",
"this",
"method",
"to",
"specify",
"maximum",
"{",
"@code",
"timeout",
"}",
"used",
"when",
"obtaining",
"object",
"from",
"{",
"@code",
"future",
"}"
] | train | https://github.com/watchrabbit/rabbit-commons/blob/b11c9f804b5ab70b9264635c34a02f5029bd2a5d/src/main/java/com/watchrabbit/commons/async/FutureContext.java#L78-L81 |
google/j2objc | xalan/third_party/android/platform/external/apache-xml/src/main/java/org/apache/xml/dtm/ref/DTMDocumentImpl.java | DTMDocumentImpl.getNextPreceding | public int getNextPreceding(int axisContextHandle, int nodeHandle) {
"""
Given a node handle, advance to the next node on the preceding axis.
@param axisContextHandle the start of the axis that is being traversed.
@param nodeHandle the id of the node.
@return int Node-number of preceding sibling,
or DTM.NULL to indicate none exists.
"""
// ###shs copied from Xalan 1, what is this suppose to do?
nodeHandle &= NODEHANDLE_MASK;
while (nodeHandle > 1) {
nodeHandle--;
if (ATTRIBUTE_NODE == (nodes.readEntry(nodeHandle, 0) & 0xFFFF))
continue;
// if nodeHandle is _not_ an ancestor of
// axisContextHandle, specialFind will return it.
// If it _is_ an ancestor, specialFind will return -1
// %REVIEW% unconditional return defeats the
// purpose of the while loop -- does this
// logic make any sense?
return (m_docHandle | nodes.specialFind(axisContextHandle, nodeHandle));
}
return NULL;
} | java | public int getNextPreceding(int axisContextHandle, int nodeHandle) {
// ###shs copied from Xalan 1, what is this suppose to do?
nodeHandle &= NODEHANDLE_MASK;
while (nodeHandle > 1) {
nodeHandle--;
if (ATTRIBUTE_NODE == (nodes.readEntry(nodeHandle, 0) & 0xFFFF))
continue;
// if nodeHandle is _not_ an ancestor of
// axisContextHandle, specialFind will return it.
// If it _is_ an ancestor, specialFind will return -1
// %REVIEW% unconditional return defeats the
// purpose of the while loop -- does this
// logic make any sense?
return (m_docHandle | nodes.specialFind(axisContextHandle, nodeHandle));
}
return NULL;
} | [
"public",
"int",
"getNextPreceding",
"(",
"int",
"axisContextHandle",
",",
"int",
"nodeHandle",
")",
"{",
"// ###shs copied from Xalan 1, what is this suppose to do?",
"nodeHandle",
"&=",
"NODEHANDLE_MASK",
";",
"while",
"(",
"nodeHandle",
">",
"1",
")",
"{",
"nodeHandle",
"--",
";",
"if",
"(",
"ATTRIBUTE_NODE",
"==",
"(",
"nodes",
".",
"readEntry",
"(",
"nodeHandle",
",",
"0",
")",
"&",
"0xFFFF",
")",
")",
"continue",
";",
"// if nodeHandle is _not_ an ancestor of",
"// axisContextHandle, specialFind will return it.",
"// If it _is_ an ancestor, specialFind will return -1",
"// %REVIEW% unconditional return defeats the",
"// purpose of the while loop -- does this",
"// logic make any sense?",
"return",
"(",
"m_docHandle",
"|",
"nodes",
".",
"specialFind",
"(",
"axisContextHandle",
",",
"nodeHandle",
")",
")",
";",
"}",
"return",
"NULL",
";",
"}"
] | Given a node handle, advance to the next node on the preceding axis.
@param axisContextHandle the start of the axis that is being traversed.
@param nodeHandle the id of the node.
@return int Node-number of preceding sibling,
or DTM.NULL to indicate none exists. | [
"Given",
"a",
"node",
"handle",
"advance",
"to",
"the",
"next",
"node",
"on",
"the",
"preceding",
"axis",
"."
] | train | https://github.com/google/j2objc/blob/471504a735b48d5d4ace51afa1542cc4790a921a/xalan/third_party/android/platform/external/apache-xml/src/main/java/org/apache/xml/dtm/ref/DTMDocumentImpl.java#L1322-L1341 |
UrielCh/ovh-java-sdk | ovh-java-sdk-caasregistry/src/main/java/net/minidev/ovh/api/ApiOvhCaasregistry.java | ApiOvhCaasregistry.serviceName_namespaces_namespaceId_images_imageId_PUT | public OvhImage serviceName_namespaces_namespaceId_images_imageId_PUT(String serviceName, String namespaceId, String imageId, OvhInputImage body) throws IOException {
"""
Update image
REST: PUT /caas/registry/{serviceName}/namespaces/{namespaceId}/images/{imageId}
@param body [required] A container image
@param imageId [required] Image id
@param namespaceId [required] Namespace id
@param serviceName [required] Service name
API beta
"""
String qPath = "/caas/registry/{serviceName}/namespaces/{namespaceId}/images/{imageId}";
StringBuilder sb = path(qPath, serviceName, namespaceId, imageId);
String resp = exec(qPath, "PUT", sb.toString(), body);
return convertTo(resp, OvhImage.class);
} | java | public OvhImage serviceName_namespaces_namespaceId_images_imageId_PUT(String serviceName, String namespaceId, String imageId, OvhInputImage body) throws IOException {
String qPath = "/caas/registry/{serviceName}/namespaces/{namespaceId}/images/{imageId}";
StringBuilder sb = path(qPath, serviceName, namespaceId, imageId);
String resp = exec(qPath, "PUT", sb.toString(), body);
return convertTo(resp, OvhImage.class);
} | [
"public",
"OvhImage",
"serviceName_namespaces_namespaceId_images_imageId_PUT",
"(",
"String",
"serviceName",
",",
"String",
"namespaceId",
",",
"String",
"imageId",
",",
"OvhInputImage",
"body",
")",
"throws",
"IOException",
"{",
"String",
"qPath",
"=",
"\"/caas/registry/{serviceName}/namespaces/{namespaceId}/images/{imageId}\"",
";",
"StringBuilder",
"sb",
"=",
"path",
"(",
"qPath",
",",
"serviceName",
",",
"namespaceId",
",",
"imageId",
")",
";",
"String",
"resp",
"=",
"exec",
"(",
"qPath",
",",
"\"PUT\"",
",",
"sb",
".",
"toString",
"(",
")",
",",
"body",
")",
";",
"return",
"convertTo",
"(",
"resp",
",",
"OvhImage",
".",
"class",
")",
";",
"}"
] | Update image
REST: PUT /caas/registry/{serviceName}/namespaces/{namespaceId}/images/{imageId}
@param body [required] A container image
@param imageId [required] Image id
@param namespaceId [required] Namespace id
@param serviceName [required] Service name
API beta | [
"Update",
"image"
] | train | https://github.com/UrielCh/ovh-java-sdk/blob/6d531a40e56e09701943e334c25f90f640c55701/ovh-java-sdk-caasregistry/src/main/java/net/minidev/ovh/api/ApiOvhCaasregistry.java#L286-L291 |
apache/flink | flink-core/src/main/java/org/apache/flink/configuration/Configuration.java | Configuration.getFloat | public float getFloat(String key, float defaultValue) {
"""
Returns the value associated with the given key as a float.
@param key
the key pointing to the associated value
@param defaultValue
the default value which is returned in case there is no value associated with the given key
@return the (default) value associated with the given key
"""
Object o = getRawValue(key);
if (o == null) {
return defaultValue;
}
return convertToFloat(o, defaultValue);
} | java | public float getFloat(String key, float defaultValue) {
Object o = getRawValue(key);
if (o == null) {
return defaultValue;
}
return convertToFloat(o, defaultValue);
} | [
"public",
"float",
"getFloat",
"(",
"String",
"key",
",",
"float",
"defaultValue",
")",
"{",
"Object",
"o",
"=",
"getRawValue",
"(",
"key",
")",
";",
"if",
"(",
"o",
"==",
"null",
")",
"{",
"return",
"defaultValue",
";",
"}",
"return",
"convertToFloat",
"(",
"o",
",",
"defaultValue",
")",
";",
"}"
] | Returns the value associated with the given key as a float.
@param key
the key pointing to the associated value
@param defaultValue
the default value which is returned in case there is no value associated with the given key
@return the (default) value associated with the given key | [
"Returns",
"the",
"value",
"associated",
"with",
"the",
"given",
"key",
"as",
"a",
"float",
"."
] | train | https://github.com/apache/flink/blob/b62db93bf63cb3bb34dd03d611a779d9e3fc61ac/flink-core/src/main/java/org/apache/flink/configuration/Configuration.java#L426-L433 |
alkacon/opencms-core | src-gwt/org/opencms/gwt/client/ui/input/location/CmsLocationSuggestOracle.java | CmsLocationSuggestOracle.respond | private static void respond(Request request, List<LocationSuggestion> suggestions, Callback callback) {
"""
Executes the suggestions callback.<p>
@param request the suggestions request
@param suggestions the suggestions
@param callback the callback
"""
callback.onSuggestionsReady(request, new Response(suggestions));
} | java | private static void respond(Request request, List<LocationSuggestion> suggestions, Callback callback) {
callback.onSuggestionsReady(request, new Response(suggestions));
} | [
"private",
"static",
"void",
"respond",
"(",
"Request",
"request",
",",
"List",
"<",
"LocationSuggestion",
">",
"suggestions",
",",
"Callback",
"callback",
")",
"{",
"callback",
".",
"onSuggestionsReady",
"(",
"request",
",",
"new",
"Response",
"(",
"suggestions",
")",
")",
";",
"}"
] | Executes the suggestions callback.<p>
@param request the suggestions request
@param suggestions the suggestions
@param callback the callback | [
"Executes",
"the",
"suggestions",
"callback",
".",
"<p",
">"
] | train | https://github.com/alkacon/opencms-core/blob/bc104acc75d2277df5864da939a1f2de5fdee504/src-gwt/org/opencms/gwt/client/ui/input/location/CmsLocationSuggestOracle.java#L121-L124 |
WASdev/ci.maven | liberty-maven-plugin/src/main/java/net/wasdev/wlp/maven/plugins/applications/InstallAppMojoSupport.java | InstallAppMojoSupport.installLooseConfigEar | protected void installLooseConfigEar(MavenProject proj, LooseConfigData config) throws Exception {
"""
install ear project artifact using loose application configuration file
"""
LooseEarApplication looseEar = new LooseEarApplication(proj, config);
looseEar.addSourceDir();
looseEar.addApplicationXmlFile();
Set<Artifact> artifacts = proj.getArtifacts();
log.debug("Number of compile dependencies for " + proj.getArtifactId() + " : " + artifacts.size());
for (Artifact artifact : artifacts) {
if ("compile".equals(artifact.getScope()) || "runtime".equals(artifact.getScope())) {
if (!isReactorMavenProject(artifact)) {
if (looseEar.isEarSkinnyWars() && "war".equals(artifact.getType())) {
throw new MojoExecutionException(
"Unable to create loose configuration for the EAR application with skinnyWars package from "
+ artifact.getGroupId() + ":" + artifact.getArtifactId() + ":"
+ artifact.getVersion()
+ ". Please set the looseApplication configuration parameter to false and try again.");
}
looseEar.addModuleFromM2(resolveArtifact(artifact));
} else {
MavenProject dependencyProject = getReactorMavenProject(artifact);
switch (artifact.getType()) {
case "jar":
looseEar.addJarModule(dependencyProject);
break;
case "ejb":
looseEar.addEjbModule(dependencyProject);
break;
case "war":
Element warArchive = looseEar.addWarModule(dependencyProject,
getWarSourceDirectory(dependencyProject));
if (looseEar.isEarSkinnyWars()) {
// add embedded lib only if they are not a compile dependency in the ear
// project.
addSkinnyWarLib(warArchive, dependencyProject, looseEar);
} else {
addEmbeddedLib(warArchive, dependencyProject, looseEar, "/WEB-INF/lib/");
}
break;
case "rar":
Element rarArchive = looseEar.addRarModule(dependencyProject);
addEmbeddedLib(rarArchive, dependencyProject, looseEar, "/");
break;
default:
// use the artifact from local .m2 repo
looseEar.addModuleFromM2(resolveArtifact(artifact));
break;
}
}
}
}
// add Manifest file
File manifestFile = MavenProjectUtil.getManifestFile(proj, "maven-ear-plugin");
looseEar.addManifestFile(manifestFile);
} | java | protected void installLooseConfigEar(MavenProject proj, LooseConfigData config) throws Exception {
LooseEarApplication looseEar = new LooseEarApplication(proj, config);
looseEar.addSourceDir();
looseEar.addApplicationXmlFile();
Set<Artifact> artifacts = proj.getArtifacts();
log.debug("Number of compile dependencies for " + proj.getArtifactId() + " : " + artifacts.size());
for (Artifact artifact : artifacts) {
if ("compile".equals(artifact.getScope()) || "runtime".equals(artifact.getScope())) {
if (!isReactorMavenProject(artifact)) {
if (looseEar.isEarSkinnyWars() && "war".equals(artifact.getType())) {
throw new MojoExecutionException(
"Unable to create loose configuration for the EAR application with skinnyWars package from "
+ artifact.getGroupId() + ":" + artifact.getArtifactId() + ":"
+ artifact.getVersion()
+ ". Please set the looseApplication configuration parameter to false and try again.");
}
looseEar.addModuleFromM2(resolveArtifact(artifact));
} else {
MavenProject dependencyProject = getReactorMavenProject(artifact);
switch (artifact.getType()) {
case "jar":
looseEar.addJarModule(dependencyProject);
break;
case "ejb":
looseEar.addEjbModule(dependencyProject);
break;
case "war":
Element warArchive = looseEar.addWarModule(dependencyProject,
getWarSourceDirectory(dependencyProject));
if (looseEar.isEarSkinnyWars()) {
// add embedded lib only if they are not a compile dependency in the ear
// project.
addSkinnyWarLib(warArchive, dependencyProject, looseEar);
} else {
addEmbeddedLib(warArchive, dependencyProject, looseEar, "/WEB-INF/lib/");
}
break;
case "rar":
Element rarArchive = looseEar.addRarModule(dependencyProject);
addEmbeddedLib(rarArchive, dependencyProject, looseEar, "/");
break;
default:
// use the artifact from local .m2 repo
looseEar.addModuleFromM2(resolveArtifact(artifact));
break;
}
}
}
}
// add Manifest file
File manifestFile = MavenProjectUtil.getManifestFile(proj, "maven-ear-plugin");
looseEar.addManifestFile(manifestFile);
} | [
"protected",
"void",
"installLooseConfigEar",
"(",
"MavenProject",
"proj",
",",
"LooseConfigData",
"config",
")",
"throws",
"Exception",
"{",
"LooseEarApplication",
"looseEar",
"=",
"new",
"LooseEarApplication",
"(",
"proj",
",",
"config",
")",
";",
"looseEar",
".",
"addSourceDir",
"(",
")",
";",
"looseEar",
".",
"addApplicationXmlFile",
"(",
")",
";",
"Set",
"<",
"Artifact",
">",
"artifacts",
"=",
"proj",
".",
"getArtifacts",
"(",
")",
";",
"log",
".",
"debug",
"(",
"\"Number of compile dependencies for \"",
"+",
"proj",
".",
"getArtifactId",
"(",
")",
"+",
"\" : \"",
"+",
"artifacts",
".",
"size",
"(",
")",
")",
";",
"for",
"(",
"Artifact",
"artifact",
":",
"artifacts",
")",
"{",
"if",
"(",
"\"compile\"",
".",
"equals",
"(",
"artifact",
".",
"getScope",
"(",
")",
")",
"||",
"\"runtime\"",
".",
"equals",
"(",
"artifact",
".",
"getScope",
"(",
")",
")",
")",
"{",
"if",
"(",
"!",
"isReactorMavenProject",
"(",
"artifact",
")",
")",
"{",
"if",
"(",
"looseEar",
".",
"isEarSkinnyWars",
"(",
")",
"&&",
"\"war\"",
".",
"equals",
"(",
"artifact",
".",
"getType",
"(",
")",
")",
")",
"{",
"throw",
"new",
"MojoExecutionException",
"(",
"\"Unable to create loose configuration for the EAR application with skinnyWars package from \"",
"+",
"artifact",
".",
"getGroupId",
"(",
")",
"+",
"\":\"",
"+",
"artifact",
".",
"getArtifactId",
"(",
")",
"+",
"\":\"",
"+",
"artifact",
".",
"getVersion",
"(",
")",
"+",
"\". Please set the looseApplication configuration parameter to false and try again.\"",
")",
";",
"}",
"looseEar",
".",
"addModuleFromM2",
"(",
"resolveArtifact",
"(",
"artifact",
")",
")",
";",
"}",
"else",
"{",
"MavenProject",
"dependencyProject",
"=",
"getReactorMavenProject",
"(",
"artifact",
")",
";",
"switch",
"(",
"artifact",
".",
"getType",
"(",
")",
")",
"{",
"case",
"\"jar\"",
":",
"looseEar",
".",
"addJarModule",
"(",
"dependencyProject",
")",
";",
"break",
";",
"case",
"\"ejb\"",
":",
"looseEar",
".",
"addEjbModule",
"(",
"dependencyProject",
")",
";",
"break",
";",
"case",
"\"war\"",
":",
"Element",
"warArchive",
"=",
"looseEar",
".",
"addWarModule",
"(",
"dependencyProject",
",",
"getWarSourceDirectory",
"(",
"dependencyProject",
")",
")",
";",
"if",
"(",
"looseEar",
".",
"isEarSkinnyWars",
"(",
")",
")",
"{",
"// add embedded lib only if they are not a compile dependency in the ear",
"// project.",
"addSkinnyWarLib",
"(",
"warArchive",
",",
"dependencyProject",
",",
"looseEar",
")",
";",
"}",
"else",
"{",
"addEmbeddedLib",
"(",
"warArchive",
",",
"dependencyProject",
",",
"looseEar",
",",
"\"/WEB-INF/lib/\"",
")",
";",
"}",
"break",
";",
"case",
"\"rar\"",
":",
"Element",
"rarArchive",
"=",
"looseEar",
".",
"addRarModule",
"(",
"dependencyProject",
")",
";",
"addEmbeddedLib",
"(",
"rarArchive",
",",
"dependencyProject",
",",
"looseEar",
",",
"\"/\"",
")",
";",
"break",
";",
"default",
":",
"// use the artifact from local .m2 repo",
"looseEar",
".",
"addModuleFromM2",
"(",
"resolveArtifact",
"(",
"artifact",
")",
")",
";",
"break",
";",
"}",
"}",
"}",
"}",
"// add Manifest file",
"File",
"manifestFile",
"=",
"MavenProjectUtil",
".",
"getManifestFile",
"(",
"proj",
",",
"\"maven-ear-plugin\"",
")",
";",
"looseEar",
".",
"addManifestFile",
"(",
"manifestFile",
")",
";",
"}"
] | install ear project artifact using loose application configuration file | [
"install",
"ear",
"project",
"artifact",
"using",
"loose",
"application",
"configuration",
"file"
] | train | https://github.com/WASdev/ci.maven/blob/4fcf2d314299a4c02e2c740e4fc99a4f6aba6918/liberty-maven-plugin/src/main/java/net/wasdev/wlp/maven/plugins/applications/InstallAppMojoSupport.java#L105-L160 |
Azure/azure-sdk-for-java | common/azure-common/src/main/java/com/azure/common/http/ReactorNettyClient.java | ReactorNettyClient.responseDelegate | private static BiFunction<HttpClientResponse, Connection, Publisher<HttpResponse>> responseDelegate(final HttpRequest restRequest) {
"""
Delegate to receive response.
@param restRequest the Rest request whose response this delegate handles
@return a delegate upon invocation setup Rest response object
"""
return (reactorNettyResponse, reactorNettyConnection) ->
Mono.just(new ReactorNettyHttpResponse(reactorNettyResponse, reactorNettyConnection).withRequest(restRequest));
} | java | private static BiFunction<HttpClientResponse, Connection, Publisher<HttpResponse>> responseDelegate(final HttpRequest restRequest) {
return (reactorNettyResponse, reactorNettyConnection) ->
Mono.just(new ReactorNettyHttpResponse(reactorNettyResponse, reactorNettyConnection).withRequest(restRequest));
} | [
"private",
"static",
"BiFunction",
"<",
"HttpClientResponse",
",",
"Connection",
",",
"Publisher",
"<",
"HttpResponse",
">",
">",
"responseDelegate",
"(",
"final",
"HttpRequest",
"restRequest",
")",
"{",
"return",
"(",
"reactorNettyResponse",
",",
"reactorNettyConnection",
")",
"->",
"Mono",
".",
"just",
"(",
"new",
"ReactorNettyHttpResponse",
"(",
"reactorNettyResponse",
",",
"reactorNettyConnection",
")",
".",
"withRequest",
"(",
"restRequest",
")",
")",
";",
"}"
] | Delegate to receive response.
@param restRequest the Rest request whose response this delegate handles
@return a delegate upon invocation setup Rest response object | [
"Delegate",
"to",
"receive",
"response",
"."
] | train | https://github.com/Azure/azure-sdk-for-java/blob/aab183ddc6686c82ec10386d5a683d2691039626/common/azure-common/src/main/java/com/azure/common/http/ReactorNettyClient.java#L98-L101 |
JoeKerouac/utils | src/main/java/com/joe/utils/secure/impl/SymmetryCipher.java | SymmetryCipher.buildInstance | public static CipherUtil buildInstance(Algorithms algorithms, String seed) {
"""
SymmetryCipher构造器,采用默认keySize
@param algorithms 算法,当前仅支持AES和DES
@param seed 随机数种子
@return SymmetryCipher
"""
int keySize = 0;
if (algorithms == Algorithms.AES) {
keySize = 128;
} else if (algorithms == Algorithms.DES) {
keySize = 56;
}
return buildInstance(algorithms, seed, keySize);
} | java | public static CipherUtil buildInstance(Algorithms algorithms, String seed) {
int keySize = 0;
if (algorithms == Algorithms.AES) {
keySize = 128;
} else if (algorithms == Algorithms.DES) {
keySize = 56;
}
return buildInstance(algorithms, seed, keySize);
} | [
"public",
"static",
"CipherUtil",
"buildInstance",
"(",
"Algorithms",
"algorithms",
",",
"String",
"seed",
")",
"{",
"int",
"keySize",
"=",
"0",
";",
"if",
"(",
"algorithms",
"==",
"Algorithms",
".",
"AES",
")",
"{",
"keySize",
"=",
"128",
";",
"}",
"else",
"if",
"(",
"algorithms",
"==",
"Algorithms",
".",
"DES",
")",
"{",
"keySize",
"=",
"56",
";",
"}",
"return",
"buildInstance",
"(",
"algorithms",
",",
"seed",
",",
"keySize",
")",
";",
"}"
] | SymmetryCipher构造器,采用默认keySize
@param algorithms 算法,当前仅支持AES和DES
@param seed 随机数种子
@return SymmetryCipher | [
"SymmetryCipher构造器,采用默认keySize"
] | train | https://github.com/JoeKerouac/utils/blob/45e1b2dc4d736956674fc4dcbe6cf84eaee69278/src/main/java/com/joe/utils/secure/impl/SymmetryCipher.java#L47-L55 |
spring-projects/spring-boot | spring-boot-project/spring-boot-autoconfigure/src/main/java/org/springframework/boot/autoconfigure/mongo/ReactiveMongoClientFactory.java | ReactiveMongoClientFactory.createMongoClient | public MongoClient createMongoClient(MongoClientSettings settings) {
"""
Creates a {@link MongoClient} using the given {@code settings}. If the environment
contains a {@code local.mongo.port} property, it is used to configure a client to
an embedded MongoDB instance.
@param settings the settings
@return the Mongo client
"""
Integer embeddedPort = getEmbeddedPort();
if (embeddedPort != null) {
return createEmbeddedMongoClient(settings, embeddedPort);
}
return createNetworkMongoClient(settings);
} | java | public MongoClient createMongoClient(MongoClientSettings settings) {
Integer embeddedPort = getEmbeddedPort();
if (embeddedPort != null) {
return createEmbeddedMongoClient(settings, embeddedPort);
}
return createNetworkMongoClient(settings);
} | [
"public",
"MongoClient",
"createMongoClient",
"(",
"MongoClientSettings",
"settings",
")",
"{",
"Integer",
"embeddedPort",
"=",
"getEmbeddedPort",
"(",
")",
";",
"if",
"(",
"embeddedPort",
"!=",
"null",
")",
"{",
"return",
"createEmbeddedMongoClient",
"(",
"settings",
",",
"embeddedPort",
")",
";",
"}",
"return",
"createNetworkMongoClient",
"(",
"settings",
")",
";",
"}"
] | Creates a {@link MongoClient} using the given {@code settings}. If the environment
contains a {@code local.mongo.port} property, it is used to configure a client to
an embedded MongoDB instance.
@param settings the settings
@return the Mongo client | [
"Creates",
"a",
"{"
] | train | https://github.com/spring-projects/spring-boot/blob/0b27f7c70e164b2b1a96477f1d9c1acba56790c1/spring-boot-project/spring-boot-autoconfigure/src/main/java/org/springframework/boot/autoconfigure/mongo/ReactiveMongoClientFactory.java#L63-L69 |
grails/grails-core | grails-core/src/main/groovy/org/grails/compiler/injection/GrailsASTUtils.java | GrailsASTUtils.addExpressionToAnnotationMember | public static void addExpressionToAnnotationMember(AnnotationNode annotationNode, String memberName, Expression expression) {
"""
Adds the given expression as a member of the given annotation
@param annotationNode The annotation node
@param memberName The name of the member
@param expression The expression
"""
Expression exclude = annotationNode.getMember(memberName);
if(exclude instanceof ListExpression) {
((ListExpression)exclude).addExpression(expression);
}
else if(exclude != null) {
ListExpression list = new ListExpression();
list.addExpression(exclude);
list.addExpression(expression);
annotationNode.setMember(memberName, list);
}
else {
annotationNode.setMember(memberName, expression);
}
} | java | public static void addExpressionToAnnotationMember(AnnotationNode annotationNode, String memberName, Expression expression) {
Expression exclude = annotationNode.getMember(memberName);
if(exclude instanceof ListExpression) {
((ListExpression)exclude).addExpression(expression);
}
else if(exclude != null) {
ListExpression list = new ListExpression();
list.addExpression(exclude);
list.addExpression(expression);
annotationNode.setMember(memberName, list);
}
else {
annotationNode.setMember(memberName, expression);
}
} | [
"public",
"static",
"void",
"addExpressionToAnnotationMember",
"(",
"AnnotationNode",
"annotationNode",
",",
"String",
"memberName",
",",
"Expression",
"expression",
")",
"{",
"Expression",
"exclude",
"=",
"annotationNode",
".",
"getMember",
"(",
"memberName",
")",
";",
"if",
"(",
"exclude",
"instanceof",
"ListExpression",
")",
"{",
"(",
"(",
"ListExpression",
")",
"exclude",
")",
".",
"addExpression",
"(",
"expression",
")",
";",
"}",
"else",
"if",
"(",
"exclude",
"!=",
"null",
")",
"{",
"ListExpression",
"list",
"=",
"new",
"ListExpression",
"(",
")",
";",
"list",
".",
"addExpression",
"(",
"exclude",
")",
";",
"list",
".",
"addExpression",
"(",
"expression",
")",
";",
"annotationNode",
".",
"setMember",
"(",
"memberName",
",",
"list",
")",
";",
"}",
"else",
"{",
"annotationNode",
".",
"setMember",
"(",
"memberName",
",",
"expression",
")",
";",
"}",
"}"
] | Adds the given expression as a member of the given annotation
@param annotationNode The annotation node
@param memberName The name of the member
@param expression The expression | [
"Adds",
"the",
"given",
"expression",
"as",
"a",
"member",
"of",
"the",
"given",
"annotation"
] | train | https://github.com/grails/grails-core/blob/c0b08aa995b0297143b75d05642abba8cb7b4122/grails-core/src/main/groovy/org/grails/compiler/injection/GrailsASTUtils.java#L794-L808 |
messagebird/java-rest-api | api/src/main/java/com/messagebird/objects/Message.java | Message.setPremiumSMS | public void setPremiumSMS(Object shortcode, Object keyword, Object tariff, Object mid) {
"""
Setup premium SMS type
@param shortcode
@param keyword
@param tariff
@param mid
"""
final Map<String, Object> premiumSMSConfig = new LinkedHashMap<String, Object>(4);
premiumSMSConfig.put("shortcode", shortcode);
premiumSMSConfig.put("keyword", keyword);
premiumSMSConfig.put("tariff", tariff);
premiumSMSConfig.put("mid", mid);
this.typeDetails = premiumSMSConfig;
this.type = MsgType.premium;
} | java | public void setPremiumSMS(Object shortcode, Object keyword, Object tariff, Object mid) {
final Map<String, Object> premiumSMSConfig = new LinkedHashMap<String, Object>(4);
premiumSMSConfig.put("shortcode", shortcode);
premiumSMSConfig.put("keyword", keyword);
premiumSMSConfig.put("tariff", tariff);
premiumSMSConfig.put("mid", mid);
this.typeDetails = premiumSMSConfig;
this.type = MsgType.premium;
} | [
"public",
"void",
"setPremiumSMS",
"(",
"Object",
"shortcode",
",",
"Object",
"keyword",
",",
"Object",
"tariff",
",",
"Object",
"mid",
")",
"{",
"final",
"Map",
"<",
"String",
",",
"Object",
">",
"premiumSMSConfig",
"=",
"new",
"LinkedHashMap",
"<",
"String",
",",
"Object",
">",
"(",
"4",
")",
";",
"premiumSMSConfig",
".",
"put",
"(",
"\"shortcode\"",
",",
"shortcode",
")",
";",
"premiumSMSConfig",
".",
"put",
"(",
"\"keyword\"",
",",
"keyword",
")",
";",
"premiumSMSConfig",
".",
"put",
"(",
"\"tariff\"",
",",
"tariff",
")",
";",
"premiumSMSConfig",
".",
"put",
"(",
"\"mid\"",
",",
"mid",
")",
";",
"this",
".",
"typeDetails",
"=",
"premiumSMSConfig",
";",
"this",
".",
"type",
"=",
"MsgType",
".",
"premium",
";",
"}"
] | Setup premium SMS type
@param shortcode
@param keyword
@param tariff
@param mid | [
"Setup",
"premium",
"SMS",
"type"
] | train | https://github.com/messagebird/java-rest-api/blob/f92cd93afff413e6dc12aa6e41e69f26cbae8941/api/src/main/java/com/messagebird/objects/Message.java#L298-L306 |
infinispan/infinispan | commons/src/main/java/org/infinispan/commons/io/UnsignedNumeric.java | UnsignedNumeric.writeUnsignedLong | public static void writeUnsignedLong(ObjectOutput out, long i) throws IOException {
"""
Writes a long in a variable-length format. Writes between one and nine bytes. Smaller values take fewer bytes.
Negative numbers are not supported.
@param i int to write
"""
while ((i & ~0x7F) != 0) {
out.writeByte((byte) ((i & 0x7f) | 0x80));
i >>>= 7;
}
out.writeByte((byte) i);
} | java | public static void writeUnsignedLong(ObjectOutput out, long i) throws IOException {
while ((i & ~0x7F) != 0) {
out.writeByte((byte) ((i & 0x7f) | 0x80));
i >>>= 7;
}
out.writeByte((byte) i);
} | [
"public",
"static",
"void",
"writeUnsignedLong",
"(",
"ObjectOutput",
"out",
",",
"long",
"i",
")",
"throws",
"IOException",
"{",
"while",
"(",
"(",
"i",
"&",
"~",
"0x7F",
")",
"!=",
"0",
")",
"{",
"out",
".",
"writeByte",
"(",
"(",
"byte",
")",
"(",
"(",
"i",
"&",
"0x7f",
")",
"|",
"0x80",
")",
")",
";",
"i",
">>>=",
"7",
";",
"}",
"out",
".",
"writeByte",
"(",
"(",
"byte",
")",
"i",
")",
";",
"}"
] | Writes a long in a variable-length format. Writes between one and nine bytes. Smaller values take fewer bytes.
Negative numbers are not supported.
@param i int to write | [
"Writes",
"a",
"long",
"in",
"a",
"variable",
"-",
"length",
"format",
".",
"Writes",
"between",
"one",
"and",
"nine",
"bytes",
".",
"Smaller",
"values",
"take",
"fewer",
"bytes",
".",
"Negative",
"numbers",
"are",
"not",
"supported",
"."
] | train | https://github.com/infinispan/infinispan/blob/7c62b94886c3febb4774ae8376acf2baa0265ab5/commons/src/main/java/org/infinispan/commons/io/UnsignedNumeric.java#L129-L135 |
zamrokk/fabric-sdk-java | src/main/java/org/hyperledger/fabric/sdk/shim/ChaincodeStub.java | ChaincodeStub.invokeRawChaincode | public ByteString invokeRawChaincode(String chaincodeName, String function, List<ByteString> args) {
"""
Invokes the provided chaincode with the given function and arguments, and returns the
raw ByteString value that invocation generated.
@param chaincodeName The name of the chaincode to invoke
@param function the function parameter to pass to the chaincode
@param args the arguments to be provided in the chaincode call
@return the value returned by the chaincode call
"""
return handler.handleInvokeChaincode(chaincodeName, function, args, uuid);
} | java | public ByteString invokeRawChaincode(String chaincodeName, String function, List<ByteString> args) {
return handler.handleInvokeChaincode(chaincodeName, function, args, uuid);
} | [
"public",
"ByteString",
"invokeRawChaincode",
"(",
"String",
"chaincodeName",
",",
"String",
"function",
",",
"List",
"<",
"ByteString",
">",
"args",
")",
"{",
"return",
"handler",
".",
"handleInvokeChaincode",
"(",
"chaincodeName",
",",
"function",
",",
"args",
",",
"uuid",
")",
";",
"}"
] | Invokes the provided chaincode with the given function and arguments, and returns the
raw ByteString value that invocation generated.
@param chaincodeName The name of the chaincode to invoke
@param function the function parameter to pass to the chaincode
@param args the arguments to be provided in the chaincode call
@return the value returned by the chaincode call | [
"Invokes",
"the",
"provided",
"chaincode",
"with",
"the",
"given",
"function",
"and",
"arguments",
"and",
"returns",
"the",
"raw",
"ByteString",
"value",
"that",
"invocation",
"generated",
"."
] | train | https://github.com/zamrokk/fabric-sdk-java/blob/d4993ca602f72d412cd682e1b92e805e48b27afa/src/main/java/org/hyperledger/fabric/sdk/shim/ChaincodeStub.java#L185-L187 |
JRebirth/JRebirth | org.jrebirth.af/component/src/main/java/org/jrebirth/af/component/ui/stack/StackModel.java | StackModel.doShowPageModel | public void doShowPageModel(final UniqueKey<? extends Model> pageModelKey, final String stackName, final Wave wave) {
"""
Show page.
Called when model received a SHOW_PAGE wave type.
@param pageModelKey the modelKey for the page to show
@param stackName the unique string tha t identify the stack
@param wave the wave
"""
if (getStackName() != null && getStackName().equals(stackName)) {
showPage(pageModelKey, wave);
}
} | java | public void doShowPageModel(final UniqueKey<? extends Model> pageModelKey, final String stackName, final Wave wave) {
if (getStackName() != null && getStackName().equals(stackName)) {
showPage(pageModelKey, wave);
}
} | [
"public",
"void",
"doShowPageModel",
"(",
"final",
"UniqueKey",
"<",
"?",
"extends",
"Model",
">",
"pageModelKey",
",",
"final",
"String",
"stackName",
",",
"final",
"Wave",
"wave",
")",
"{",
"if",
"(",
"getStackName",
"(",
")",
"!=",
"null",
"&&",
"getStackName",
"(",
")",
".",
"equals",
"(",
"stackName",
")",
")",
"{",
"showPage",
"(",
"pageModelKey",
",",
"wave",
")",
";",
"}",
"}"
] | Show page.
Called when model received a SHOW_PAGE wave type.
@param pageModelKey the modelKey for the page to show
@param stackName the unique string tha t identify the stack
@param wave the wave | [
"Show",
"page",
"."
] | train | https://github.com/JRebirth/JRebirth/blob/93f4fc087b83c73db540333b9686e97b4cec694d/org.jrebirth.af/component/src/main/java/org/jrebirth/af/component/ui/stack/StackModel.java#L73-L79 |
UrielCh/ovh-java-sdk | ovh-java-sdk-sms/src/main/java/net/minidev/ovh/api/ApiOvhSms.java | ApiOvhSms.serviceName_users_login_jobs_POST | public OvhSmsSendingReport serviceName_users_login_jobs_POST(String serviceName, String login, OvhCharsetEnum charset, OvhClassEnum _class, OvhCodingEnum coding, Long differedPeriod, String message, Boolean noStopClause, OvhPriorityEnum priority, String[] receivers, String receiversDocumentUrl, String receiversSlotId, String sender, Boolean senderForResponse, String tag, Long validityPeriod) throws IOException {
"""
Add one or several sending jobs
REST: POST /sms/{serviceName}/users/{login}/jobs
@param sender [required] The sender
@param _class [required] [default=phoneDisplay] The sms class
@param receiversSlotId [required] The receivers document slot id
@param priority [required] [default=high] The priority of the message
@param validityPeriod [required] [default=2880] The maximum time -in minute(s)- before the message is dropped
@param senderForResponse [required] Set the flag to send a special sms which can be reply by the receiver (smsResponse).
@param coding [required] [default=7bit] The sms coding
@param differedPeriod [required] [default=0] The time -in minute(s)- to wait before sending the message
@param tag [required] The identifier group tag
@param noStopClause [required] Do not display STOP clause in the message, this requires that this is not an advertising message
@param receiversDocumentUrl [required] The receivers document url link in csv format
@param message [required] The sms message
@param receivers [required] The receivers list
@param charset [required] [default=UTF-8] The sms coding
@param serviceName [required] The internal name of your SMS offer
@param login [required] The sms user login
"""
String qPath = "/sms/{serviceName}/users/{login}/jobs";
StringBuilder sb = path(qPath, serviceName, login);
HashMap<String, Object>o = new HashMap<String, Object>();
addBody(o, "charset", charset);
addBody(o, "class", _class);
addBody(o, "coding", coding);
addBody(o, "differedPeriod", differedPeriod);
addBody(o, "message", message);
addBody(o, "noStopClause", noStopClause);
addBody(o, "priority", priority);
addBody(o, "receivers", receivers);
addBody(o, "receiversDocumentUrl", receiversDocumentUrl);
addBody(o, "receiversSlotId", receiversSlotId);
addBody(o, "sender", sender);
addBody(o, "senderForResponse", senderForResponse);
addBody(o, "tag", tag);
addBody(o, "validityPeriod", validityPeriod);
String resp = exec(qPath, "POST", sb.toString(), o);
return convertTo(resp, OvhSmsSendingReport.class);
} | java | public OvhSmsSendingReport serviceName_users_login_jobs_POST(String serviceName, String login, OvhCharsetEnum charset, OvhClassEnum _class, OvhCodingEnum coding, Long differedPeriod, String message, Boolean noStopClause, OvhPriorityEnum priority, String[] receivers, String receiversDocumentUrl, String receiversSlotId, String sender, Boolean senderForResponse, String tag, Long validityPeriod) throws IOException {
String qPath = "/sms/{serviceName}/users/{login}/jobs";
StringBuilder sb = path(qPath, serviceName, login);
HashMap<String, Object>o = new HashMap<String, Object>();
addBody(o, "charset", charset);
addBody(o, "class", _class);
addBody(o, "coding", coding);
addBody(o, "differedPeriod", differedPeriod);
addBody(o, "message", message);
addBody(o, "noStopClause", noStopClause);
addBody(o, "priority", priority);
addBody(o, "receivers", receivers);
addBody(o, "receiversDocumentUrl", receiversDocumentUrl);
addBody(o, "receiversSlotId", receiversSlotId);
addBody(o, "sender", sender);
addBody(o, "senderForResponse", senderForResponse);
addBody(o, "tag", tag);
addBody(o, "validityPeriod", validityPeriod);
String resp = exec(qPath, "POST", sb.toString(), o);
return convertTo(resp, OvhSmsSendingReport.class);
} | [
"public",
"OvhSmsSendingReport",
"serviceName_users_login_jobs_POST",
"(",
"String",
"serviceName",
",",
"String",
"login",
",",
"OvhCharsetEnum",
"charset",
",",
"OvhClassEnum",
"_class",
",",
"OvhCodingEnum",
"coding",
",",
"Long",
"differedPeriod",
",",
"String",
"message",
",",
"Boolean",
"noStopClause",
",",
"OvhPriorityEnum",
"priority",
",",
"String",
"[",
"]",
"receivers",
",",
"String",
"receiversDocumentUrl",
",",
"String",
"receiversSlotId",
",",
"String",
"sender",
",",
"Boolean",
"senderForResponse",
",",
"String",
"tag",
",",
"Long",
"validityPeriod",
")",
"throws",
"IOException",
"{",
"String",
"qPath",
"=",
"\"/sms/{serviceName}/users/{login}/jobs\"",
";",
"StringBuilder",
"sb",
"=",
"path",
"(",
"qPath",
",",
"serviceName",
",",
"login",
")",
";",
"HashMap",
"<",
"String",
",",
"Object",
">",
"o",
"=",
"new",
"HashMap",
"<",
"String",
",",
"Object",
">",
"(",
")",
";",
"addBody",
"(",
"o",
",",
"\"charset\"",
",",
"charset",
")",
";",
"addBody",
"(",
"o",
",",
"\"class\"",
",",
"_class",
")",
";",
"addBody",
"(",
"o",
",",
"\"coding\"",
",",
"coding",
")",
";",
"addBody",
"(",
"o",
",",
"\"differedPeriod\"",
",",
"differedPeriod",
")",
";",
"addBody",
"(",
"o",
",",
"\"message\"",
",",
"message",
")",
";",
"addBody",
"(",
"o",
",",
"\"noStopClause\"",
",",
"noStopClause",
")",
";",
"addBody",
"(",
"o",
",",
"\"priority\"",
",",
"priority",
")",
";",
"addBody",
"(",
"o",
",",
"\"receivers\"",
",",
"receivers",
")",
";",
"addBody",
"(",
"o",
",",
"\"receiversDocumentUrl\"",
",",
"receiversDocumentUrl",
")",
";",
"addBody",
"(",
"o",
",",
"\"receiversSlotId\"",
",",
"receiversSlotId",
")",
";",
"addBody",
"(",
"o",
",",
"\"sender\"",
",",
"sender",
")",
";",
"addBody",
"(",
"o",
",",
"\"senderForResponse\"",
",",
"senderForResponse",
")",
";",
"addBody",
"(",
"o",
",",
"\"tag\"",
",",
"tag",
")",
";",
"addBody",
"(",
"o",
",",
"\"validityPeriod\"",
",",
"validityPeriod",
")",
";",
"String",
"resp",
"=",
"exec",
"(",
"qPath",
",",
"\"POST\"",
",",
"sb",
".",
"toString",
"(",
")",
",",
"o",
")",
";",
"return",
"convertTo",
"(",
"resp",
",",
"OvhSmsSendingReport",
".",
"class",
")",
";",
"}"
] | Add one or several sending jobs
REST: POST /sms/{serviceName}/users/{login}/jobs
@param sender [required] The sender
@param _class [required] [default=phoneDisplay] The sms class
@param receiversSlotId [required] The receivers document slot id
@param priority [required] [default=high] The priority of the message
@param validityPeriod [required] [default=2880] The maximum time -in minute(s)- before the message is dropped
@param senderForResponse [required] Set the flag to send a special sms which can be reply by the receiver (smsResponse).
@param coding [required] [default=7bit] The sms coding
@param differedPeriod [required] [default=0] The time -in minute(s)- to wait before sending the message
@param tag [required] The identifier group tag
@param noStopClause [required] Do not display STOP clause in the message, this requires that this is not an advertising message
@param receiversDocumentUrl [required] The receivers document url link in csv format
@param message [required] The sms message
@param receivers [required] The receivers list
@param charset [required] [default=UTF-8] The sms coding
@param serviceName [required] The internal name of your SMS offer
@param login [required] The sms user login | [
"Add",
"one",
"or",
"several",
"sending",
"jobs"
] | train | https://github.com/UrielCh/ovh-java-sdk/blob/6d531a40e56e09701943e334c25f90f640c55701/ovh-java-sdk-sms/src/main/java/net/minidev/ovh/api/ApiOvhSms.java#L932-L952 |
roboconf/roboconf-platform | core/roboconf-target-iaas-occi/src/main/java/net/roboconf/target/occi/internal/OcciVMUtils.java | OcciVMUtils.getVMStatus | public static String getVMStatus(String hostIpPort, String id) throws TargetException {
"""
Retrieves VM status (tested on CA only).
@param hostIpPort IP and port of OCCI server (eg. "172.16.225.91:8080")
@param id Unique VM ID
@return The VM's status
@throws TargetException
"""
if(id.startsWith("urn:uuid:")) id = id.substring(9);
String status = null;
URL url = null;
try {
CookieHandler.setDefault(new CookieManager(null, CookiePolicy.ACCEPT_ALL));
url = new URL("http://" + hostIpPort + "/compute/" + id);
} catch (MalformedURLException e) {
throw new TargetException(e);
}
HttpURLConnection httpURLConnection = null;
DataInputStream in = null;
try {
httpURLConnection = (HttpURLConnection) url.openConnection();
httpURLConnection.setRequestMethod("GET");
httpURLConnection.setRequestProperty("Accept", "application/json");
in = new DataInputStream(httpURLConnection.getInputStream());
ByteArrayOutputStream out = new ByteArrayOutputStream();
Utils.copyStreamSafely(in, out);
// Parse JSON response to extract VM status
ObjectMapper objectMapper = new ObjectMapper();
JsonResponse rsp = objectMapper.readValue(out.toString( "UTF-8" ), JsonResponse.class);
status = rsp.getState();
} catch (IOException e) {
throw new TargetException(e);
} finally {
Utils.closeQuietly(in);
if (httpURLConnection != null) {
httpURLConnection.disconnect();
}
}
return status;
} | java | public static String getVMStatus(String hostIpPort, String id) throws TargetException {
if(id.startsWith("urn:uuid:")) id = id.substring(9);
String status = null;
URL url = null;
try {
CookieHandler.setDefault(new CookieManager(null, CookiePolicy.ACCEPT_ALL));
url = new URL("http://" + hostIpPort + "/compute/" + id);
} catch (MalformedURLException e) {
throw new TargetException(e);
}
HttpURLConnection httpURLConnection = null;
DataInputStream in = null;
try {
httpURLConnection = (HttpURLConnection) url.openConnection();
httpURLConnection.setRequestMethod("GET");
httpURLConnection.setRequestProperty("Accept", "application/json");
in = new DataInputStream(httpURLConnection.getInputStream());
ByteArrayOutputStream out = new ByteArrayOutputStream();
Utils.copyStreamSafely(in, out);
// Parse JSON response to extract VM status
ObjectMapper objectMapper = new ObjectMapper();
JsonResponse rsp = objectMapper.readValue(out.toString( "UTF-8" ), JsonResponse.class);
status = rsp.getState();
} catch (IOException e) {
throw new TargetException(e);
} finally {
Utils.closeQuietly(in);
if (httpURLConnection != null) {
httpURLConnection.disconnect();
}
}
return status;
} | [
"public",
"static",
"String",
"getVMStatus",
"(",
"String",
"hostIpPort",
",",
"String",
"id",
")",
"throws",
"TargetException",
"{",
"if",
"(",
"id",
".",
"startsWith",
"(",
"\"urn:uuid:\"",
")",
")",
"id",
"=",
"id",
".",
"substring",
"(",
"9",
")",
";",
"String",
"status",
"=",
"null",
";",
"URL",
"url",
"=",
"null",
";",
"try",
"{",
"CookieHandler",
".",
"setDefault",
"(",
"new",
"CookieManager",
"(",
"null",
",",
"CookiePolicy",
".",
"ACCEPT_ALL",
")",
")",
";",
"url",
"=",
"new",
"URL",
"(",
"\"http://\"",
"+",
"hostIpPort",
"+",
"\"/compute/\"",
"+",
"id",
")",
";",
"}",
"catch",
"(",
"MalformedURLException",
"e",
")",
"{",
"throw",
"new",
"TargetException",
"(",
"e",
")",
";",
"}",
"HttpURLConnection",
"httpURLConnection",
"=",
"null",
";",
"DataInputStream",
"in",
"=",
"null",
";",
"try",
"{",
"httpURLConnection",
"=",
"(",
"HttpURLConnection",
")",
"url",
".",
"openConnection",
"(",
")",
";",
"httpURLConnection",
".",
"setRequestMethod",
"(",
"\"GET\"",
")",
";",
"httpURLConnection",
".",
"setRequestProperty",
"(",
"\"Accept\"",
",",
"\"application/json\"",
")",
";",
"in",
"=",
"new",
"DataInputStream",
"(",
"httpURLConnection",
".",
"getInputStream",
"(",
")",
")",
";",
"ByteArrayOutputStream",
"out",
"=",
"new",
"ByteArrayOutputStream",
"(",
")",
";",
"Utils",
".",
"copyStreamSafely",
"(",
"in",
",",
"out",
")",
";",
"// Parse JSON response to extract VM status",
"ObjectMapper",
"objectMapper",
"=",
"new",
"ObjectMapper",
"(",
")",
";",
"JsonResponse",
"rsp",
"=",
"objectMapper",
".",
"readValue",
"(",
"out",
".",
"toString",
"(",
"\"UTF-8\"",
")",
",",
"JsonResponse",
".",
"class",
")",
";",
"status",
"=",
"rsp",
".",
"getState",
"(",
")",
";",
"}",
"catch",
"(",
"IOException",
"e",
")",
"{",
"throw",
"new",
"TargetException",
"(",
"e",
")",
";",
"}",
"finally",
"{",
"Utils",
".",
"closeQuietly",
"(",
"in",
")",
";",
"if",
"(",
"httpURLConnection",
"!=",
"null",
")",
"{",
"httpURLConnection",
".",
"disconnect",
"(",
")",
";",
"}",
"}",
"return",
"status",
";",
"}"
] | Retrieves VM status (tested on CA only).
@param hostIpPort IP and port of OCCI server (eg. "172.16.225.91:8080")
@param id Unique VM ID
@return The VM's status
@throws TargetException | [
"Retrieves",
"VM",
"status",
"(",
"tested",
"on",
"CA",
"only",
")",
"."
] | train | https://github.com/roboconf/roboconf-platform/blob/add54eead479effb138d0ff53a2d637902b82702/core/roboconf-target-iaas-occi/src/main/java/net/roboconf/target/occi/internal/OcciVMUtils.java#L485-L524 |
joniles/mpxj | src/main/java/net/sf/mpxj/utility/MppCleanUtility.java | MppCleanUtility.replaceData | private void replaceData(byte[] data, String findText, String replaceText, boolean unicode) {
"""
For a given find/replace pair, iterate through the supplied block of data
and perform a find and replace.
@param data data block
@param findText text to find
@param replaceText replacement text
@param unicode true if text is double byte
"""
boolean replaced = false;
byte[] findBytes = getBytes(findText, unicode);
byte[] replaceBytes = getBytes(replaceText, unicode);
int endIndex = data.length - findBytes.length;
for (int index = 0; index <= endIndex; index++)
{
if (compareBytes(findBytes, data, index))
{
System.arraycopy(replaceBytes, 0, data, index, replaceBytes.length);
index += replaceBytes.length;
System.out.println(findText + " -> " + replaceText);
replaced = true;
}
}
if (!replaced)
{
System.out.println("Failed to find " + findText);
}
} | java | private void replaceData(byte[] data, String findText, String replaceText, boolean unicode)
{
boolean replaced = false;
byte[] findBytes = getBytes(findText, unicode);
byte[] replaceBytes = getBytes(replaceText, unicode);
int endIndex = data.length - findBytes.length;
for (int index = 0; index <= endIndex; index++)
{
if (compareBytes(findBytes, data, index))
{
System.arraycopy(replaceBytes, 0, data, index, replaceBytes.length);
index += replaceBytes.length;
System.out.println(findText + " -> " + replaceText);
replaced = true;
}
}
if (!replaced)
{
System.out.println("Failed to find " + findText);
}
} | [
"private",
"void",
"replaceData",
"(",
"byte",
"[",
"]",
"data",
",",
"String",
"findText",
",",
"String",
"replaceText",
",",
"boolean",
"unicode",
")",
"{",
"boolean",
"replaced",
"=",
"false",
";",
"byte",
"[",
"]",
"findBytes",
"=",
"getBytes",
"(",
"findText",
",",
"unicode",
")",
";",
"byte",
"[",
"]",
"replaceBytes",
"=",
"getBytes",
"(",
"replaceText",
",",
"unicode",
")",
";",
"int",
"endIndex",
"=",
"data",
".",
"length",
"-",
"findBytes",
".",
"length",
";",
"for",
"(",
"int",
"index",
"=",
"0",
";",
"index",
"<=",
"endIndex",
";",
"index",
"++",
")",
"{",
"if",
"(",
"compareBytes",
"(",
"findBytes",
",",
"data",
",",
"index",
")",
")",
"{",
"System",
".",
"arraycopy",
"(",
"replaceBytes",
",",
"0",
",",
"data",
",",
"index",
",",
"replaceBytes",
".",
"length",
")",
";",
"index",
"+=",
"replaceBytes",
".",
"length",
";",
"System",
".",
"out",
".",
"println",
"(",
"findText",
"+",
"\" -> \"",
"+",
"replaceText",
")",
";",
"replaced",
"=",
"true",
";",
"}",
"}",
"if",
"(",
"!",
"replaced",
")",
"{",
"System",
".",
"out",
".",
"println",
"(",
"\"Failed to find \"",
"+",
"findText",
")",
";",
"}",
"}"
] | For a given find/replace pair, iterate through the supplied block of data
and perform a find and replace.
@param data data block
@param findText text to find
@param replaceText replacement text
@param unicode true if text is double byte | [
"For",
"a",
"given",
"find",
"/",
"replace",
"pair",
"iterate",
"through",
"the",
"supplied",
"block",
"of",
"data",
"and",
"perform",
"a",
"find",
"and",
"replace",
"."
] | train | https://github.com/joniles/mpxj/blob/143ea0e195da59cd108f13b3b06328e9542337e8/src/main/java/net/sf/mpxj/utility/MppCleanUtility.java#L343-L363 |
petergeneric/stdlib | stdlib/src/main/java/com/peterphi/std/threading/Deadline.java | Deadline.resolveFuture | public <T> T resolveFuture(final Future<T> future) throws RuntimeException {
"""
Resolves a Future, automatically cancelling it in the event of a timeout / failure
@param <T>
@param future
@return
@throws RuntimeException
"""
return resolveFuture(future, true);
} | java | public <T> T resolveFuture(final Future<T> future) throws RuntimeException
{
return resolveFuture(future, true);
} | [
"public",
"<",
"T",
">",
"T",
"resolveFuture",
"(",
"final",
"Future",
"<",
"T",
">",
"future",
")",
"throws",
"RuntimeException",
"{",
"return",
"resolveFuture",
"(",
"future",
",",
"true",
")",
";",
"}"
] | Resolves a Future, automatically cancelling it in the event of a timeout / failure
@param <T>
@param future
@return
@throws RuntimeException | [
"Resolves",
"a",
"Future",
"automatically",
"cancelling",
"it",
"in",
"the",
"event",
"of",
"a",
"timeout",
"/",
"failure"
] | train | https://github.com/petergeneric/stdlib/blob/d4025d2f881bc0542b1e004c5f65a1ccaf895836/stdlib/src/main/java/com/peterphi/std/threading/Deadline.java#L268-L271 |
jglobus/JGlobus | gridftp/src/main/java/org/globus/ftp/dc/SocketPool.java | SocketPool.checkOut | public synchronized SocketBox checkOut() {
"""
checks out the next free socket and returns it, or returns null if there aren't any.
Before calling this method, the socket needs to be first add()ed to the pool.
"""
Enumeration e = freeSockets.keys();
if (e.hasMoreElements()) {
SocketBox sb = (SocketBox)e.nextElement();
if (busySockets.containsKey(sb)) {
throw new IllegalArgumentException("This socket is marked free, but already exists in the pool of busy sockets.");
}
((ManagedSocketBox) sb).setStatus(ManagedSocketBox.BUSY);
freeSockets.remove(sb);
busySockets.put(sb, sb);
return sb;
} else {
return null;
}
} | java | public synchronized SocketBox checkOut() {
Enumeration e = freeSockets.keys();
if (e.hasMoreElements()) {
SocketBox sb = (SocketBox)e.nextElement();
if (busySockets.containsKey(sb)) {
throw new IllegalArgumentException("This socket is marked free, but already exists in the pool of busy sockets.");
}
((ManagedSocketBox) sb).setStatus(ManagedSocketBox.BUSY);
freeSockets.remove(sb);
busySockets.put(sb, sb);
return sb;
} else {
return null;
}
} | [
"public",
"synchronized",
"SocketBox",
"checkOut",
"(",
")",
"{",
"Enumeration",
"e",
"=",
"freeSockets",
".",
"keys",
"(",
")",
";",
"if",
"(",
"e",
".",
"hasMoreElements",
"(",
")",
")",
"{",
"SocketBox",
"sb",
"=",
"(",
"SocketBox",
")",
"e",
".",
"nextElement",
"(",
")",
";",
"if",
"(",
"busySockets",
".",
"containsKey",
"(",
"sb",
")",
")",
"{",
"throw",
"new",
"IllegalArgumentException",
"(",
"\"This socket is marked free, but already exists in the pool of busy sockets.\"",
")",
";",
"}",
"(",
"(",
"ManagedSocketBox",
")",
"sb",
")",
".",
"setStatus",
"(",
"ManagedSocketBox",
".",
"BUSY",
")",
";",
"freeSockets",
".",
"remove",
"(",
"sb",
")",
";",
"busySockets",
".",
"put",
"(",
"sb",
",",
"sb",
")",
";",
"return",
"sb",
";",
"}",
"else",
"{",
"return",
"null",
";",
"}",
"}"
] | checks out the next free socket and returns it, or returns null if there aren't any.
Before calling this method, the socket needs to be first add()ed to the pool. | [
"checks",
"out",
"the",
"next",
"free",
"socket",
"and",
"returns",
"it",
"or",
"returns",
"null",
"if",
"there",
"aren",
"t",
"any",
".",
"Before",
"calling",
"this",
"method",
"the",
"socket",
"needs",
"to",
"be",
"first",
"add",
"()",
"ed",
"to",
"the",
"pool",
"."
] | train | https://github.com/jglobus/JGlobus/blob/e14f6f6636544fd84298f9cec749d626ea971930/gridftp/src/main/java/org/globus/ftp/dc/SocketPool.java#L100-L118 |
GeoLatte/geolatte-common-hibernate | src/main/java/org/geolatte/common/automapper/TableRef.java | TableRef.valueOf | public static TableRef valueOf(String schema, String tableName) {
"""
Creates an instance from catalog and table names
<p/>
<p>if the schema parameter is an empty String, the catalog or schema will be set to
<code>null</code>.</p>
@param schema the table schema
@param tableName the table name
@return a <code>TableRef</code> for the table identified by the specified schema and table name.
@throws IllegalArgumentException if the tableName parameter is null
"""
return new TableRef(null, schema, tableName);
} | java | public static TableRef valueOf(String schema, String tableName) {
return new TableRef(null, schema, tableName);
} | [
"public",
"static",
"TableRef",
"valueOf",
"(",
"String",
"schema",
",",
"String",
"tableName",
")",
"{",
"return",
"new",
"TableRef",
"(",
"null",
",",
"schema",
",",
"tableName",
")",
";",
"}"
] | Creates an instance from catalog and table names
<p/>
<p>if the schema parameter is an empty String, the catalog or schema will be set to
<code>null</code>.</p>
@param schema the table schema
@param tableName the table name
@return a <code>TableRef</code> for the table identified by the specified schema and table name.
@throws IllegalArgumentException if the tableName parameter is null | [
"Creates",
"an",
"instance",
"from",
"catalog",
"and",
"table",
"names",
"<p",
"/",
">",
"<p",
">",
"if",
"the",
"schema",
"parameter",
"is",
"an",
"empty",
"String",
"the",
"catalog",
"or",
"schema",
"will",
"be",
"set",
"to",
"<code",
">",
"null<",
"/",
"code",
">",
".",
"<",
"/",
"p",
">"
] | train | https://github.com/GeoLatte/geolatte-common-hibernate/blob/2e871c70e506df2485d91152fbd0955c94de1d39/src/main/java/org/geolatte/common/automapper/TableRef.java#L62-L64 |
google/truth | core/src/main/java/com/google/common/truth/Correspondence.java | Correspondence.formattingDiffsUsing | public Correspondence<A, E> formattingDiffsUsing(DiffFormatter<? super A, ? super E> formatter) {
"""
Returns a new correspondence which is like this one, except that the given formatter may be
used to format the difference between a pair of elements that do not correspond.
<p>Note that, if you the data you are asserting about contains null actual or expected values,
the formatter may be invoked with a null argument. If this causes it to throw a {@link
NullPointerException}, that will be taken to indicate that the values cannot be diffed. (See
{@link Correspondence#formatDiff} for more detail on how exceptions are handled.) If you think
null values are likely, it is slightly cleaner to have the formatter return null in that case
instead of throwing.
<p>Example:
<pre>{@code
class MyRecordTestHelper {
static final Correspondence<MyRecord, MyRecord> EQUIVALENCE =
Correspondence.from(MyRecordTestHelper::recordsEquivalent, "is equivalent to")
.formattingDiffsUsing(MyRecordTestHelper::formatRecordDiff);
static boolean recordsEquivalent(@Nullable MyRecord actual, @Nullable MyRecord expected) {
// code to check whether records should be considered equivalent for testing purposes
}
static String formatRecordDiff(@Nullable MyRecord actual, @Nullable MyRecord expected) {
// code to format the diff between the records
}
}
}</pre>
"""
return new FormattingDiffs<>(this, formatter);
} | java | public Correspondence<A, E> formattingDiffsUsing(DiffFormatter<? super A, ? super E> formatter) {
return new FormattingDiffs<>(this, formatter);
} | [
"public",
"Correspondence",
"<",
"A",
",",
"E",
">",
"formattingDiffsUsing",
"(",
"DiffFormatter",
"<",
"?",
"super",
"A",
",",
"?",
"super",
"E",
">",
"formatter",
")",
"{",
"return",
"new",
"FormattingDiffs",
"<>",
"(",
"this",
",",
"formatter",
")",
";",
"}"
] | Returns a new correspondence which is like this one, except that the given formatter may be
used to format the difference between a pair of elements that do not correspond.
<p>Note that, if you the data you are asserting about contains null actual or expected values,
the formatter may be invoked with a null argument. If this causes it to throw a {@link
NullPointerException}, that will be taken to indicate that the values cannot be diffed. (See
{@link Correspondence#formatDiff} for more detail on how exceptions are handled.) If you think
null values are likely, it is slightly cleaner to have the formatter return null in that case
instead of throwing.
<p>Example:
<pre>{@code
class MyRecordTestHelper {
static final Correspondence<MyRecord, MyRecord> EQUIVALENCE =
Correspondence.from(MyRecordTestHelper::recordsEquivalent, "is equivalent to")
.formattingDiffsUsing(MyRecordTestHelper::formatRecordDiff);
static boolean recordsEquivalent(@Nullable MyRecord actual, @Nullable MyRecord expected) {
// code to check whether records should be considered equivalent for testing purposes
}
static String formatRecordDiff(@Nullable MyRecord actual, @Nullable MyRecord expected) {
// code to format the diff between the records
}
}
}</pre> | [
"Returns",
"a",
"new",
"correspondence",
"which",
"is",
"like",
"this",
"one",
"except",
"that",
"the",
"given",
"formatter",
"may",
"be",
"used",
"to",
"format",
"the",
"difference",
"between",
"a",
"pair",
"of",
"elements",
"that",
"do",
"not",
"correspond",
"."
] | train | https://github.com/google/truth/blob/60eceffd2e8c3297655d33ed87d965cf5af51108/core/src/main/java/com/google/common/truth/Correspondence.java#L350-L352 |
sksamuel/scrimage | scrimage-filters/src/main/java/thirdparty/jhlabs/image/ImageUtils.java | ImageUtils.setRGB | public static void setRGB( BufferedImage image, int x, int y, int width, int height, int[] pixels ) {
"""
A convenience method for setting ARGB pixels in an image. This tries to avoid the performance
penalty of BufferedImage.setRGB unmanaging the image.
@param image a BufferedImage object
@param x the left edge of the pixel block
@param y the right edge of the pixel block
@param width the width of the pixel arry
@param height the height of the pixel arry
@param pixels the array of pixels to set
@see #getRGB
"""
int type = image.getType();
if ( type == BufferedImage.TYPE_INT_ARGB || type == BufferedImage.TYPE_INT_RGB )
image.getRaster().setDataElements( x, y, width, height, pixels );
else
image.setRGB( x, y, width, height, pixels, 0, width );
} | java | public static void setRGB( BufferedImage image, int x, int y, int width, int height, int[] pixels ) {
int type = image.getType();
if ( type == BufferedImage.TYPE_INT_ARGB || type == BufferedImage.TYPE_INT_RGB )
image.getRaster().setDataElements( x, y, width, height, pixels );
else
image.setRGB( x, y, width, height, pixels, 0, width );
} | [
"public",
"static",
"void",
"setRGB",
"(",
"BufferedImage",
"image",
",",
"int",
"x",
",",
"int",
"y",
",",
"int",
"width",
",",
"int",
"height",
",",
"int",
"[",
"]",
"pixels",
")",
"{",
"int",
"type",
"=",
"image",
".",
"getType",
"(",
")",
";",
"if",
"(",
"type",
"==",
"BufferedImage",
".",
"TYPE_INT_ARGB",
"||",
"type",
"==",
"BufferedImage",
".",
"TYPE_INT_RGB",
")",
"image",
".",
"getRaster",
"(",
")",
".",
"setDataElements",
"(",
"x",
",",
"y",
",",
"width",
",",
"height",
",",
"pixels",
")",
";",
"else",
"image",
".",
"setRGB",
"(",
"x",
",",
"y",
",",
"width",
",",
"height",
",",
"pixels",
",",
"0",
",",
"width",
")",
";",
"}"
] | A convenience method for setting ARGB pixels in an image. This tries to avoid the performance
penalty of BufferedImage.setRGB unmanaging the image.
@param image a BufferedImage object
@param x the left edge of the pixel block
@param y the right edge of the pixel block
@param width the width of the pixel arry
@param height the height of the pixel arry
@param pixels the array of pixels to set
@see #getRGB | [
"A",
"convenience",
"method",
"for",
"setting",
"ARGB",
"pixels",
"in",
"an",
"image",
".",
"This",
"tries",
"to",
"avoid",
"the",
"performance",
"penalty",
"of",
"BufferedImage",
".",
"setRGB",
"unmanaging",
"the",
"image",
"."
] | train | https://github.com/sksamuel/scrimage/blob/52dab448136e6657a71951b0e6b7d5e64dc979ac/scrimage-filters/src/main/java/thirdparty/jhlabs/image/ImageUtils.java#L279-L285 |
google/j2objc | jre_emul/android/platform/libcore/ojluni/src/main/java/java/util/LinkedList.java | LinkedList.addAll | public boolean addAll(int index, Collection<? extends E> c) {
"""
Inserts all of the elements in the specified collection into this
list, starting at the specified position. Shifts the element
currently at that position (if any) and any subsequent elements to
the right (increases their indices). The new elements will appear
in the list in the order that they are returned by the
specified collection's iterator.
@param index index at which to insert the first element
from the specified collection
@param c collection containing elements to be added to this list
@return {@code true} if this list changed as a result of the call
@throws IndexOutOfBoundsException {@inheritDoc}
@throws NullPointerException if the specified collection is null
"""
checkPositionIndex(index);
Object[] a = c.toArray();
int numNew = a.length;
if (numNew == 0)
return false;
Node<E> pred, succ;
if (index == size) {
succ = null;
pred = last;
} else {
succ = node(index);
pred = succ.prev;
}
for (Object o : a) {
@SuppressWarnings("unchecked") E e = (E) o;
Node<E> newNode = new Node<>(pred, e, null);
if (pred == null)
first = newNode;
else
pred.next = newNode;
pred = newNode;
}
if (succ == null) {
last = pred;
} else {
pred.next = succ;
succ.prev = pred;
}
size += numNew;
modCount++;
return true;
} | java | public boolean addAll(int index, Collection<? extends E> c) {
checkPositionIndex(index);
Object[] a = c.toArray();
int numNew = a.length;
if (numNew == 0)
return false;
Node<E> pred, succ;
if (index == size) {
succ = null;
pred = last;
} else {
succ = node(index);
pred = succ.prev;
}
for (Object o : a) {
@SuppressWarnings("unchecked") E e = (E) o;
Node<E> newNode = new Node<>(pred, e, null);
if (pred == null)
first = newNode;
else
pred.next = newNode;
pred = newNode;
}
if (succ == null) {
last = pred;
} else {
pred.next = succ;
succ.prev = pred;
}
size += numNew;
modCount++;
return true;
} | [
"public",
"boolean",
"addAll",
"(",
"int",
"index",
",",
"Collection",
"<",
"?",
"extends",
"E",
">",
"c",
")",
"{",
"checkPositionIndex",
"(",
"index",
")",
";",
"Object",
"[",
"]",
"a",
"=",
"c",
".",
"toArray",
"(",
")",
";",
"int",
"numNew",
"=",
"a",
".",
"length",
";",
"if",
"(",
"numNew",
"==",
"0",
")",
"return",
"false",
";",
"Node",
"<",
"E",
">",
"pred",
",",
"succ",
";",
"if",
"(",
"index",
"==",
"size",
")",
"{",
"succ",
"=",
"null",
";",
"pred",
"=",
"last",
";",
"}",
"else",
"{",
"succ",
"=",
"node",
"(",
"index",
")",
";",
"pred",
"=",
"succ",
".",
"prev",
";",
"}",
"for",
"(",
"Object",
"o",
":",
"a",
")",
"{",
"@",
"SuppressWarnings",
"(",
"\"unchecked\"",
")",
"E",
"e",
"=",
"(",
"E",
")",
"o",
";",
"Node",
"<",
"E",
">",
"newNode",
"=",
"new",
"Node",
"<>",
"(",
"pred",
",",
"e",
",",
"null",
")",
";",
"if",
"(",
"pred",
"==",
"null",
")",
"first",
"=",
"newNode",
";",
"else",
"pred",
".",
"next",
"=",
"newNode",
";",
"pred",
"=",
"newNode",
";",
"}",
"if",
"(",
"succ",
"==",
"null",
")",
"{",
"last",
"=",
"pred",
";",
"}",
"else",
"{",
"pred",
".",
"next",
"=",
"succ",
";",
"succ",
".",
"prev",
"=",
"pred",
";",
"}",
"size",
"+=",
"numNew",
";",
"modCount",
"++",
";",
"return",
"true",
";",
"}"
] | Inserts all of the elements in the specified collection into this
list, starting at the specified position. Shifts the element
currently at that position (if any) and any subsequent elements to
the right (increases their indices). The new elements will appear
in the list in the order that they are returned by the
specified collection's iterator.
@param index index at which to insert the first element
from the specified collection
@param c collection containing elements to be added to this list
@return {@code true} if this list changed as a result of the call
@throws IndexOutOfBoundsException {@inheritDoc}
@throws NullPointerException if the specified collection is null | [
"Inserts",
"all",
"of",
"the",
"elements",
"in",
"the",
"specified",
"collection",
"into",
"this",
"list",
"starting",
"at",
"the",
"specified",
"position",
".",
"Shifts",
"the",
"element",
"currently",
"at",
"that",
"position",
"(",
"if",
"any",
")",
"and",
"any",
"subsequent",
"elements",
"to",
"the",
"right",
"(",
"increases",
"their",
"indices",
")",
".",
"The",
"new",
"elements",
"will",
"appear",
"in",
"the",
"list",
"in",
"the",
"order",
"that",
"they",
"are",
"returned",
"by",
"the",
"specified",
"collection",
"s",
"iterator",
"."
] | train | https://github.com/google/j2objc/blob/471504a735b48d5d4ace51afa1542cc4790a921a/jre_emul/android/platform/libcore/ojluni/src/main/java/java/util/LinkedList.java#L407-L444 |
JodaOrg/joda-time | src/main/java/org/joda/time/field/BaseDateTimeField.java | BaseDateTimeField.addWrapField | public int[] addWrapField(ReadablePartial instant, int fieldIndex, int[] values, int valueToAdd) {
"""
Adds a value (which may be negative) to the partial instant,
wrapping within this field.
<p>
The value will be added to this field. If the value is too large to be
added solely to this field then it wraps. Larger fields are always
unaffected. Smaller fields should be unaffected, except where the
result would be an invalid value for a smaller field. In this case the
smaller field is adjusted to be in range.
<p>
For example, in the ISO chronology:<br>
2000-08-20 addWrapField six months is 2000-02-20<br>
2000-08-20 addWrapField twenty months is 2000-04-20<br>
2000-08-20 addWrapField minus nine months is 2000-11-20<br>
2001-01-31 addWrapField one month is 2001-02-28<br>
2001-01-31 addWrapField two months is 2001-03-31<br>
<p>
The default implementation internally calls set. Subclasses are
encouraged to provide a more efficient implementation.
@param instant the partial instant
@param fieldIndex the index of this field in the instant
@param values the values of the partial instant which should be updated
@param valueToAdd the value to add, in the units of the field
@return the passed in values
@throws IllegalArgumentException if the value is invalid
"""
int current = values[fieldIndex];
int wrapped = FieldUtils.getWrappedValue
(current, valueToAdd, getMinimumValue(instant), getMaximumValue(instant));
return set(instant, fieldIndex, values, wrapped); // adjusts smaller fields
} | java | public int[] addWrapField(ReadablePartial instant, int fieldIndex, int[] values, int valueToAdd) {
int current = values[fieldIndex];
int wrapped = FieldUtils.getWrappedValue
(current, valueToAdd, getMinimumValue(instant), getMaximumValue(instant));
return set(instant, fieldIndex, values, wrapped); // adjusts smaller fields
} | [
"public",
"int",
"[",
"]",
"addWrapField",
"(",
"ReadablePartial",
"instant",
",",
"int",
"fieldIndex",
",",
"int",
"[",
"]",
"values",
",",
"int",
"valueToAdd",
")",
"{",
"int",
"current",
"=",
"values",
"[",
"fieldIndex",
"]",
";",
"int",
"wrapped",
"=",
"FieldUtils",
".",
"getWrappedValue",
"(",
"current",
",",
"valueToAdd",
",",
"getMinimumValue",
"(",
"instant",
")",
",",
"getMaximumValue",
"(",
"instant",
")",
")",
";",
"return",
"set",
"(",
"instant",
",",
"fieldIndex",
",",
"values",
",",
"wrapped",
")",
";",
"// adjusts smaller fields",
"}"
] | Adds a value (which may be negative) to the partial instant,
wrapping within this field.
<p>
The value will be added to this field. If the value is too large to be
added solely to this field then it wraps. Larger fields are always
unaffected. Smaller fields should be unaffected, except where the
result would be an invalid value for a smaller field. In this case the
smaller field is adjusted to be in range.
<p>
For example, in the ISO chronology:<br>
2000-08-20 addWrapField six months is 2000-02-20<br>
2000-08-20 addWrapField twenty months is 2000-04-20<br>
2000-08-20 addWrapField minus nine months is 2000-11-20<br>
2001-01-31 addWrapField one month is 2001-02-28<br>
2001-01-31 addWrapField two months is 2001-03-31<br>
<p>
The default implementation internally calls set. Subclasses are
encouraged to provide a more efficient implementation.
@param instant the partial instant
@param fieldIndex the index of this field in the instant
@param values the values of the partial instant which should be updated
@param valueToAdd the value to add, in the units of the field
@return the passed in values
@throws IllegalArgumentException if the value is invalid | [
"Adds",
"a",
"value",
"(",
"which",
"may",
"be",
"negative",
")",
"to",
"the",
"partial",
"instant",
"wrapping",
"within",
"this",
"field",
".",
"<p",
">",
"The",
"value",
"will",
"be",
"added",
"to",
"this",
"field",
".",
"If",
"the",
"value",
"is",
"too",
"large",
"to",
"be",
"added",
"solely",
"to",
"this",
"field",
"then",
"it",
"wraps",
".",
"Larger",
"fields",
"are",
"always",
"unaffected",
".",
"Smaller",
"fields",
"should",
"be",
"unaffected",
"except",
"where",
"the",
"result",
"would",
"be",
"an",
"invalid",
"value",
"for",
"a",
"smaller",
"field",
".",
"In",
"this",
"case",
"the",
"smaller",
"field",
"is",
"adjusted",
"to",
"be",
"in",
"range",
".",
"<p",
">",
"For",
"example",
"in",
"the",
"ISO",
"chronology",
":",
"<br",
">",
"2000",
"-",
"08",
"-",
"20",
"addWrapField",
"six",
"months",
"is",
"2000",
"-",
"02",
"-",
"20<br",
">",
"2000",
"-",
"08",
"-",
"20",
"addWrapField",
"twenty",
"months",
"is",
"2000",
"-",
"04",
"-",
"20<br",
">",
"2000",
"-",
"08",
"-",
"20",
"addWrapField",
"minus",
"nine",
"months",
"is",
"2000",
"-",
"11",
"-",
"20<br",
">",
"2001",
"-",
"01",
"-",
"31",
"addWrapField",
"one",
"month",
"is",
"2001",
"-",
"02",
"-",
"28<br",
">",
"2001",
"-",
"01",
"-",
"31",
"addWrapField",
"two",
"months",
"is",
"2001",
"-",
"03",
"-",
"31<br",
">",
"<p",
">",
"The",
"default",
"implementation",
"internally",
"calls",
"set",
".",
"Subclasses",
"are",
"encouraged",
"to",
"provide",
"a",
"more",
"efficient",
"implementation",
"."
] | train | https://github.com/JodaOrg/joda-time/blob/bd79f1c4245e79b3c2c56d7b04fde2a6e191fa42/src/main/java/org/joda/time/field/BaseDateTimeField.java#L494-L499 |
icode/ameba | src/main/java/ameba/db/ebean/internal/ModelInterceptor.java | ModelInterceptor.applyUriQuery | public static FutureRowCount applyUriQuery(MultivaluedMap<String, String> queryParams,
SpiQuery query,
InjectionManager manager) {
"""
<p>applyUriQuery.</p>
@param queryParams a {@link javax.ws.rs.core.MultivaluedMap} object.
@param query a {@link io.ebean.Query} object.
@param manager a {@link InjectionManager} object.
@return a {@link io.ebean.FutureRowCount} object.
"""
return applyUriQuery(queryParams, query, manager, true);
} | java | public static FutureRowCount applyUriQuery(MultivaluedMap<String, String> queryParams,
SpiQuery query,
InjectionManager manager) {
return applyUriQuery(queryParams, query, manager, true);
} | [
"public",
"static",
"FutureRowCount",
"applyUriQuery",
"(",
"MultivaluedMap",
"<",
"String",
",",
"String",
">",
"queryParams",
",",
"SpiQuery",
"query",
",",
"InjectionManager",
"manager",
")",
"{",
"return",
"applyUriQuery",
"(",
"queryParams",
",",
"query",
",",
"manager",
",",
"true",
")",
";",
"}"
] | <p>applyUriQuery.</p>
@param queryParams a {@link javax.ws.rs.core.MultivaluedMap} object.
@param query a {@link io.ebean.Query} object.
@param manager a {@link InjectionManager} object.
@return a {@link io.ebean.FutureRowCount} object. | [
"<p",
">",
"applyUriQuery",
".",
"<",
"/",
"p",
">"
] | train | https://github.com/icode/ameba/blob/9d4956e935898e41331b2745e400ef869cd265e0/src/main/java/ameba/db/ebean/internal/ModelInterceptor.java#L377-L381 |
jbundle/jbundle | base/base/src/main/java/org/jbundle/base/db/KeyArea.java | KeyArea.reverseBookmark | public void reverseBookmark(Object bookmark, int iAreaDesc) {
"""
Take this BOOKMARK handle and back it into the fields.
@param bookmark The bookmark handle.
@param iAreaDesc The area to move it into.
"""
if (this.getKeyFields() == 1) // Special case - single unique key;
{
BaseField field = this.getField(iAreaDesc);
boolean[] rgbEnabled = field.setEnableListeners(false);
field.setData(bookmark, DBConstants.DONT_DISPLAY, DBConstants.INIT_MOVE);
field.setEnableListeners(rgbEnabled);
}
else
{
BaseBuffer buffer = (BaseBuffer)bookmark;
if (buffer != null)
buffer.resetPosition();
this.reverseKeyBuffer(buffer, iAreaDesc);
}
} | java | public void reverseBookmark(Object bookmark, int iAreaDesc)
{
if (this.getKeyFields() == 1) // Special case - single unique key;
{
BaseField field = this.getField(iAreaDesc);
boolean[] rgbEnabled = field.setEnableListeners(false);
field.setData(bookmark, DBConstants.DONT_DISPLAY, DBConstants.INIT_MOVE);
field.setEnableListeners(rgbEnabled);
}
else
{
BaseBuffer buffer = (BaseBuffer)bookmark;
if (buffer != null)
buffer.resetPosition();
this.reverseKeyBuffer(buffer, iAreaDesc);
}
} | [
"public",
"void",
"reverseBookmark",
"(",
"Object",
"bookmark",
",",
"int",
"iAreaDesc",
")",
"{",
"if",
"(",
"this",
".",
"getKeyFields",
"(",
")",
"==",
"1",
")",
"// Special case - single unique key;",
"{",
"BaseField",
"field",
"=",
"this",
".",
"getField",
"(",
"iAreaDesc",
")",
";",
"boolean",
"[",
"]",
"rgbEnabled",
"=",
"field",
".",
"setEnableListeners",
"(",
"false",
")",
";",
"field",
".",
"setData",
"(",
"bookmark",
",",
"DBConstants",
".",
"DONT_DISPLAY",
",",
"DBConstants",
".",
"INIT_MOVE",
")",
";",
"field",
".",
"setEnableListeners",
"(",
"rgbEnabled",
")",
";",
"}",
"else",
"{",
"BaseBuffer",
"buffer",
"=",
"(",
"BaseBuffer",
")",
"bookmark",
";",
"if",
"(",
"buffer",
"!=",
"null",
")",
"buffer",
".",
"resetPosition",
"(",
")",
";",
"this",
".",
"reverseKeyBuffer",
"(",
"buffer",
",",
"iAreaDesc",
")",
";",
"}",
"}"
] | Take this BOOKMARK handle and back it into the fields.
@param bookmark The bookmark handle.
@param iAreaDesc The area to move it into. | [
"Take",
"this",
"BOOKMARK",
"handle",
"and",
"back",
"it",
"into",
"the",
"fields",
"."
] | train | https://github.com/jbundle/jbundle/blob/4037fcfa85f60c7d0096c453c1a3cd573c2b0abc/base/base/src/main/java/org/jbundle/base/db/KeyArea.java#L407-L423 |
hibernate/hibernate-ogm | core/src/main/java/org/hibernate/ogm/util/impl/Contracts.java | Contracts.assertNotNull | public static void assertNotNull(Object object, String name) {
"""
Asserts that the given object is not {@code null}.
@param object the object to validate, e.g. a local variable etc.
@param name the name of the object, will be used in the logging message in case the given object is {@code null}
@throws IllegalArgumentException in case the given object is {@code null}
"""
if ( object == null ) {
throw log.mustNotBeNull( name );
}
} | java | public static void assertNotNull(Object object, String name) {
if ( object == null ) {
throw log.mustNotBeNull( name );
}
} | [
"public",
"static",
"void",
"assertNotNull",
"(",
"Object",
"object",
",",
"String",
"name",
")",
"{",
"if",
"(",
"object",
"==",
"null",
")",
"{",
"throw",
"log",
".",
"mustNotBeNull",
"(",
"name",
")",
";",
"}",
"}"
] | Asserts that the given object is not {@code null}.
@param object the object to validate, e.g. a local variable etc.
@param name the name of the object, will be used in the logging message in case the given object is {@code null}
@throws IllegalArgumentException in case the given object is {@code null} | [
"Asserts",
"that",
"the",
"given",
"object",
"is",
"not",
"{",
"@code",
"null",
"}",
"."
] | train | https://github.com/hibernate/hibernate-ogm/blob/9ea971df7c27277029006a6f748d8272fb1d69d2/core/src/main/java/org/hibernate/ogm/util/impl/Contracts.java#L32-L36 |
alkacon/opencms-core | src/org/opencms/importexport/CmsImportHelper.java | CmsImportHelper.getFileStream | public InputStream getFileStream(String fileName) throws CmsImportExportException {
"""
Returns a stream for the content of the file.<p>
@param fileName the name of the file to stream, relative to the folder or zip file
@return an input stream for the content of the file, remember to close it after using
@throws CmsImportExportException if something goes wrong
"""
try {
InputStream stream = null;
// is this a zip-file?
if (getZipFile() != null) {
// yes
ZipEntry entry = getZipFile().getEntry(fileName);
// path to file might be relative, too
if ((entry == null) && fileName.startsWith("/")) {
entry = getZipFile().getEntry(fileName.substring(1));
}
if (entry == null) {
throw new ZipException(
Messages.get().getBundle().key(Messages.LOG_IMPORTEXPORT_FILE_NOT_FOUND_IN_ZIP_1, fileName));
}
stream = getZipFile().getInputStream(entry);
} else {
// no - use directory
File file = new File(getFolder(), CmsImportExportManager.EXPORT_MANIFEST);
stream = new FileInputStream(file);
}
return stream;
} catch (Exception ioe) {
CmsMessageContainer msg = Messages.get().container(
Messages.ERR_IMPORTEXPORT_ERROR_READING_FILE_1,
fileName);
if (LOG.isErrorEnabled()) {
LOG.error(msg.key(), ioe);
}
throw new CmsImportExportException(msg, ioe);
}
} | java | public InputStream getFileStream(String fileName) throws CmsImportExportException {
try {
InputStream stream = null;
// is this a zip-file?
if (getZipFile() != null) {
// yes
ZipEntry entry = getZipFile().getEntry(fileName);
// path to file might be relative, too
if ((entry == null) && fileName.startsWith("/")) {
entry = getZipFile().getEntry(fileName.substring(1));
}
if (entry == null) {
throw new ZipException(
Messages.get().getBundle().key(Messages.LOG_IMPORTEXPORT_FILE_NOT_FOUND_IN_ZIP_1, fileName));
}
stream = getZipFile().getInputStream(entry);
} else {
// no - use directory
File file = new File(getFolder(), CmsImportExportManager.EXPORT_MANIFEST);
stream = new FileInputStream(file);
}
return stream;
} catch (Exception ioe) {
CmsMessageContainer msg = Messages.get().container(
Messages.ERR_IMPORTEXPORT_ERROR_READING_FILE_1,
fileName);
if (LOG.isErrorEnabled()) {
LOG.error(msg.key(), ioe);
}
throw new CmsImportExportException(msg, ioe);
}
} | [
"public",
"InputStream",
"getFileStream",
"(",
"String",
"fileName",
")",
"throws",
"CmsImportExportException",
"{",
"try",
"{",
"InputStream",
"stream",
"=",
"null",
";",
"// is this a zip-file?",
"if",
"(",
"getZipFile",
"(",
")",
"!=",
"null",
")",
"{",
"// yes",
"ZipEntry",
"entry",
"=",
"getZipFile",
"(",
")",
".",
"getEntry",
"(",
"fileName",
")",
";",
"// path to file might be relative, too",
"if",
"(",
"(",
"entry",
"==",
"null",
")",
"&&",
"fileName",
".",
"startsWith",
"(",
"\"/\"",
")",
")",
"{",
"entry",
"=",
"getZipFile",
"(",
")",
".",
"getEntry",
"(",
"fileName",
".",
"substring",
"(",
"1",
")",
")",
";",
"}",
"if",
"(",
"entry",
"==",
"null",
")",
"{",
"throw",
"new",
"ZipException",
"(",
"Messages",
".",
"get",
"(",
")",
".",
"getBundle",
"(",
")",
".",
"key",
"(",
"Messages",
".",
"LOG_IMPORTEXPORT_FILE_NOT_FOUND_IN_ZIP_1",
",",
"fileName",
")",
")",
";",
"}",
"stream",
"=",
"getZipFile",
"(",
")",
".",
"getInputStream",
"(",
"entry",
")",
";",
"}",
"else",
"{",
"// no - use directory",
"File",
"file",
"=",
"new",
"File",
"(",
"getFolder",
"(",
")",
",",
"CmsImportExportManager",
".",
"EXPORT_MANIFEST",
")",
";",
"stream",
"=",
"new",
"FileInputStream",
"(",
"file",
")",
";",
"}",
"return",
"stream",
";",
"}",
"catch",
"(",
"Exception",
"ioe",
")",
"{",
"CmsMessageContainer",
"msg",
"=",
"Messages",
".",
"get",
"(",
")",
".",
"container",
"(",
"Messages",
".",
"ERR_IMPORTEXPORT_ERROR_READING_FILE_1",
",",
"fileName",
")",
";",
"if",
"(",
"LOG",
".",
"isErrorEnabled",
"(",
")",
")",
"{",
"LOG",
".",
"error",
"(",
"msg",
".",
"key",
"(",
")",
",",
"ioe",
")",
";",
"}",
"throw",
"new",
"CmsImportExportException",
"(",
"msg",
",",
"ioe",
")",
";",
"}",
"}"
] | Returns a stream for the content of the file.<p>
@param fileName the name of the file to stream, relative to the folder or zip file
@return an input stream for the content of the file, remember to close it after using
@throws CmsImportExportException if something goes wrong | [
"Returns",
"a",
"stream",
"for",
"the",
"content",
"of",
"the",
"file",
".",
"<p",
">"
] | train | https://github.com/alkacon/opencms-core/blob/bc104acc75d2277df5864da939a1f2de5fdee504/src/org/opencms/importexport/CmsImportHelper.java#L234-L267 |
Subsets and Splits