repo
stringlengths
7
58
path
stringlengths
12
218
func_name
stringlengths
3
140
original_string
stringlengths
73
34.1k
language
stringclasses
1 value
code
stringlengths
73
34.1k
code_tokens
sequence
docstring
stringlengths
3
16k
docstring_tokens
sequence
sha
stringlengths
40
40
url
stringlengths
105
339
partition
stringclasses
1 value
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.Concatenate
public static int[] Concatenate(int[] array, int[] array2) { int[] all = new int[array.length + array2.length]; int idx = 0; //First array for (int i = 0; i < array.length; i++) all[idx++] = array[i]; //Second array for (int i = 0; i < array2.length; i++) all[idx++] = array2[i]; return all; }
java
public static int[] Concatenate(int[] array, int[] array2) { int[] all = new int[array.length + array2.length]; int idx = 0; //First array for (int i = 0; i < array.length; i++) all[idx++] = array[i]; //Second array for (int i = 0; i < array2.length; i++) all[idx++] = array2[i]; return all; }
[ "public", "static", "int", "[", "]", "Concatenate", "(", "int", "[", "]", "array", ",", "int", "[", "]", "array2", ")", "{", "int", "[", "]", "all", "=", "new", "int", "[", "array", ".", "length", "+", "array2", ".", "length", "]", ";", "int", "idx", "=", "0", ";", "//First array", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "all", "[", "idx", "++", "]", "=", "array", "[", "i", "]", ";", "//Second array", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array2", ".", "length", ";", "i", "++", ")", "all", "[", "idx", "++", "]", "=", "array2", "[", "i", "]", ";", "return", "all", ";", "}" ]
Concatenate the arrays. @param array First array. @param array2 Second array. @return Concatenate between first and second array.
[ "Concatenate", "the", "arrays", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L126-L139
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.ConcatenateInt
public static int[] ConcatenateInt(List<int[]> arrays) { int size = 0; for (int i = 0; i < arrays.size(); i++) { size += arrays.get(i).length; } int[] all = new int[size]; int idx = 0; for (int i = 0; i < arrays.size(); i++) { int[] v = arrays.get(i); for (int j = 0; j < v.length; j++) { all[idx++] = v[i]; } } return all; }
java
public static int[] ConcatenateInt(List<int[]> arrays) { int size = 0; for (int i = 0; i < arrays.size(); i++) { size += arrays.get(i).length; } int[] all = new int[size]; int idx = 0; for (int i = 0; i < arrays.size(); i++) { int[] v = arrays.get(i); for (int j = 0; j < v.length; j++) { all[idx++] = v[i]; } } return all; }
[ "public", "static", "int", "[", "]", "ConcatenateInt", "(", "List", "<", "int", "[", "]", ">", "arrays", ")", "{", "int", "size", "=", "0", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "arrays", ".", "size", "(", ")", ";", "i", "++", ")", "{", "size", "+=", "arrays", ".", "get", "(", "i", ")", ".", "length", ";", "}", "int", "[", "]", "all", "=", "new", "int", "[", "size", "]", ";", "int", "idx", "=", "0", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "arrays", ".", "size", "(", ")", ";", "i", "++", ")", "{", "int", "[", "]", "v", "=", "arrays", ".", "get", "(", "i", ")", ";", "for", "(", "int", "j", "=", "0", ";", "j", "<", "v", ".", "length", ";", "j", "++", ")", "{", "all", "[", "idx", "++", "]", "=", "v", "[", "i", "]", ";", "}", "}", "return", "all", ";", "}" ]
Concatenate all the arrays in the list into a vector. @param arrays List of arrays. @return Vector.
[ "Concatenate", "all", "the", "arrays", "in", "the", "list", "into", "a", "vector", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L191-L209
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.asArray
public static <T extends Number> int[] asArray(final T... array) { int[] b = new int[array.length]; for (int i = 0; i < b.length; i++) { b[i] = array[i].intValue(); } return b; }
java
public static <T extends Number> int[] asArray(final T... array) { int[] b = new int[array.length]; for (int i = 0; i < b.length; i++) { b[i] = array[i].intValue(); } return b; }
[ "public", "static", "<", "T", "extends", "Number", ">", "int", "[", "]", "asArray", "(", "final", "T", "...", "array", ")", "{", "int", "[", "]", "b", "=", "new", "int", "[", "array", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "b", ".", "length", ";", "i", "++", ")", "{", "b", "[", "i", "]", "=", "array", "[", "i", "]", ".", "intValue", "(", ")", ";", "}", "return", "b", ";", "}" ]
Convert any number class to array of integer. @param <T> Type. @param array Array. @return Integer array.
[ "Convert", "any", "number", "class", "to", "array", "of", "integer", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L270-L276
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.Shuffle
public static void Shuffle(double[] array, long seed) { Random random = new Random(); if (seed != 0) random.setSeed(seed); for (int i = array.length - 1; i > 0; i--) { int index = random.nextInt(i + 1); double temp = array[index]; array[index] = array[i]; array[i] = temp; } }
java
public static void Shuffle(double[] array, long seed) { Random random = new Random(); if (seed != 0) random.setSeed(seed); for (int i = array.length - 1; i > 0; i--) { int index = random.nextInt(i + 1); double temp = array[index]; array[index] = array[i]; array[i] = temp; } }
[ "public", "static", "void", "Shuffle", "(", "double", "[", "]", "array", ",", "long", "seed", ")", "{", "Random", "random", "=", "new", "Random", "(", ")", ";", "if", "(", "seed", "!=", "0", ")", "random", ".", "setSeed", "(", "seed", ")", ";", "for", "(", "int", "i", "=", "array", ".", "length", "-", "1", ";", "i", ">", "0", ";", "i", "--", ")", "{", "int", "index", "=", "random", ".", "nextInt", "(", "i", "+", "1", ")", ";", "double", "temp", "=", "array", "[", "index", "]", ";", "array", "[", "index", "]", "=", "array", "[", "i", "]", ";", "array", "[", "i", "]", "=", "temp", ";", "}", "}" ]
Shuffle an array. @param array Array. @param seed Random seed.
[ "Shuffle", "an", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L293-L303
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toFloat
public static float[] toFloat(int[] array) { float[] n = new float[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (float) array[i]; } return n; }
java
public static float[] toFloat(int[] array) { float[] n = new float[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (float) array[i]; } return n; }
[ "public", "static", "float", "[", "]", "toFloat", "(", "int", "[", "]", "array", ")", "{", "float", "[", "]", "n", "=", "new", "float", "[", "array", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "n", "[", "i", "]", "=", "(", "float", ")", "array", "[", "i", "]", ";", "}", "return", "n", ";", "}" ]
1-D Integer array to float array. @param array Integer array. @return Float array.
[ "1", "-", "D", "Integer", "array", "to", "float", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L393-L399
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toFloat
public static float[][] toFloat(int[][] array) { float[][] n = new float[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (float) array[i][j]; } } return n; }
java
public static float[][] toFloat(int[][] array) { float[][] n = new float[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (float) array[i][j]; } } return n; }
[ "public", "static", "float", "[", "]", "[", "]", "toFloat", "(", "int", "[", "]", "[", "]", "array", ")", "{", "float", "[", "]", "[", "]", "n", "=", "new", "float", "[", "array", ".", "length", "]", "[", "array", "[", "0", "]", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "for", "(", "int", "j", "=", "0", ";", "j", "<", "array", "[", "0", "]", ".", "length", ";", "j", "++", ")", "{", "n", "[", "i", "]", "[", "j", "]", "=", "(", "float", ")", "array", "[", "i", "]", "[", "j", "]", ";", "}", "}", "return", "n", ";", "}" ]
2-D Integer array to float array. @param array Integer array. @return Float array.
[ "2", "-", "D", "Integer", "array", "to", "float", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L407-L415
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toInt
public static int[] toInt(double[] array) { int[] n = new int[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (int) array[i]; } return n; }
java
public static int[] toInt(double[] array) { int[] n = new int[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (int) array[i]; } return n; }
[ "public", "static", "int", "[", "]", "toInt", "(", "double", "[", "]", "array", ")", "{", "int", "[", "]", "n", "=", "new", "int", "[", "array", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "n", "[", "i", "]", "=", "(", "int", ")", "array", "[", "i", "]", ";", "}", "return", "n", ";", "}" ]
1-D Double array to integer array. @param array Double array. @return Integer array.
[ "1", "-", "D", "Double", "array", "to", "integer", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L453-L459
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toInt
public static int[][] toInt(double[][] array) { int[][] n = new int[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (int) array[i][j]; } } return n; }
java
public static int[][] toInt(double[][] array) { int[][] n = new int[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (int) array[i][j]; } } return n; }
[ "public", "static", "int", "[", "]", "[", "]", "toInt", "(", "double", "[", "]", "[", "]", "array", ")", "{", "int", "[", "]", "[", "]", "n", "=", "new", "int", "[", "array", ".", "length", "]", "[", "array", "[", "0", "]", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "for", "(", "int", "j", "=", "0", ";", "j", "<", "array", "[", "0", "]", ".", "length", ";", "j", "++", ")", "{", "n", "[", "i", "]", "[", "j", "]", "=", "(", "int", ")", "array", "[", "i", "]", "[", "j", "]", ";", "}", "}", "return", "n", ";", "}" ]
2-D Double array to integer array. @param array Double array. @return Integer array.
[ "2", "-", "D", "Double", "array", "to", "integer", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L467-L475
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toDouble
public static double[] toDouble(int[] array) { double[] n = new double[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (double) array[i]; } return n; }
java
public static double[] toDouble(int[] array) { double[] n = new double[array.length]; for (int i = 0; i < array.length; i++) { n[i] = (double) array[i]; } return n; }
[ "public", "static", "double", "[", "]", "toDouble", "(", "int", "[", "]", "array", ")", "{", "double", "[", "]", "n", "=", "new", "double", "[", "array", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "n", "[", "i", "]", "=", "(", "double", ")", "array", "[", "i", "]", ";", "}", "return", "n", ";", "}" ]
1-D Integer array to double array. @param array Integer array. @return Double array.
[ "1", "-", "D", "Integer", "array", "to", "double", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L513-L519
train
Harium/keel
src/main/java/com/harium/keel/catalano/core/ArraysUtil.java
ArraysUtil.toDouble
public static double[][] toDouble(int[][] array) { double[][] n = new double[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (double) array[i][j]; } } return n; }
java
public static double[][] toDouble(int[][] array) { double[][] n = new double[array.length][array[0].length]; for (int i = 0; i < array.length; i++) { for (int j = 0; j < array[0].length; j++) { n[i][j] = (double) array[i][j]; } } return n; }
[ "public", "static", "double", "[", "]", "[", "]", "toDouble", "(", "int", "[", "]", "[", "]", "array", ")", "{", "double", "[", "]", "[", "]", "n", "=", "new", "double", "[", "array", ".", "length", "]", "[", "array", "[", "0", "]", ".", "length", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "array", ".", "length", ";", "i", "++", ")", "{", "for", "(", "int", "j", "=", "0", ";", "j", "<", "array", "[", "0", "]", ".", "length", ";", "j", "++", ")", "{", "n", "[", "i", "]", "[", "j", "]", "=", "(", "double", ")", "array", "[", "i", "]", "[", "j", "]", ";", "}", "}", "return", "n", ";", "}" ]
2-D Integer array to double array. @param array Integer array. @return Double array.
[ "2", "-", "D", "Integer", "array", "to", "double", "array", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/core/ArraysUtil.java#L527-L535
train
artikcloud/artikcloud-java
src/main/java/cloud/artik/api/TokensApi.java
TokensApi.tokenInfoWithHttpInfo
public ApiResponse<TokenInfoSuccessResponse> tokenInfoWithHttpInfo() throws ApiException { com.squareup.okhttp.Call call = tokenInfoValidateBeforeCall(null, null); Type localVarReturnType = new TypeToken<TokenInfoSuccessResponse>(){}.getType(); return apiClient.execute(call, localVarReturnType); }
java
public ApiResponse<TokenInfoSuccessResponse> tokenInfoWithHttpInfo() throws ApiException { com.squareup.okhttp.Call call = tokenInfoValidateBeforeCall(null, null); Type localVarReturnType = new TypeToken<TokenInfoSuccessResponse>(){}.getType(); return apiClient.execute(call, localVarReturnType); }
[ "public", "ApiResponse", "<", "TokenInfoSuccessResponse", ">", "tokenInfoWithHttpInfo", "(", ")", "throws", "ApiException", "{", "com", ".", "squareup", ".", "okhttp", ".", "Call", "call", "=", "tokenInfoValidateBeforeCall", "(", "null", ",", "null", ")", ";", "Type", "localVarReturnType", "=", "new", "TypeToken", "<", "TokenInfoSuccessResponse", ">", "(", ")", "{", "}", ".", "getType", "(", ")", ";", "return", "apiClient", ".", "execute", "(", "call", ",", "localVarReturnType", ")", ";", "}" ]
Token Info Returns the Token Information @return ApiResponse&lt;TokenInfoSuccessResponse&gt; @throws ApiException If fail to call the API, e.g. server error or cannot deserialize the response body
[ "Token", "Info", "Returns", "the", "Token", "Information" ]
412f447573e7796ab4f685c0bdd5eb76185a365c
https://github.com/artikcloud/artikcloud-java/blob/412f447573e7796ab4f685c0bdd5eb76185a365c/src/main/java/cloud/artik/api/TokensApi.java#L379-L383
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/Normal.java
Normal.HighAccuracyFunction
public static double HighAccuracyFunction(double x) { if (x < -8 || x > 8) return 0; double sum = x; double term = 0; double nextTerm = x; double pwr = x * x; double i = 1; // Iterate until adding next terms doesn't produce // any change within the current numerical accuracy. while (sum != term) { term = sum; // Next term nextTerm *= pwr / (i += 2); sum += nextTerm; } return 0.5 + sum * Math.exp(-0.5 * pwr - 0.5 * Constants.Log2PI); }
java
public static double HighAccuracyFunction(double x) { if (x < -8 || x > 8) return 0; double sum = x; double term = 0; double nextTerm = x; double pwr = x * x; double i = 1; // Iterate until adding next terms doesn't produce // any change within the current numerical accuracy. while (sum != term) { term = sum; // Next term nextTerm *= pwr / (i += 2); sum += nextTerm; } return 0.5 + sum * Math.exp(-0.5 * pwr - 0.5 * Constants.Log2PI); }
[ "public", "static", "double", "HighAccuracyFunction", "(", "double", "x", ")", "{", "if", "(", "x", "<", "-", "8", "||", "x", ">", "8", ")", "return", "0", ";", "double", "sum", "=", "x", ";", "double", "term", "=", "0", ";", "double", "nextTerm", "=", "x", ";", "double", "pwr", "=", "x", "*", "x", ";", "double", "i", "=", "1", ";", "// Iterate until adding next terms doesn't produce", "// any change within the current numerical accuracy.", "while", "(", "sum", "!=", "term", ")", "{", "term", "=", "sum", ";", "// Next term", "nextTerm", "*=", "pwr", "/", "(", "i", "+=", "2", ")", ";", "sum", "+=", "nextTerm", ";", "}", "return", "0.5", "+", "sum", "*", "Math", ".", "exp", "(", "-", "0.5", "*", "pwr", "-", "0.5", "*", "Constants", ".", "Log2PI", ")", ";", "}" ]
High-accuracy Normal cumulative distribution function. @param x Value. @return Result.
[ "High", "-", "accuracy", "Normal", "cumulative", "distribution", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/Normal.java#L193-L217
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/Normal.java
Normal.HighAccuracyComplemented
public static double HighAccuracyComplemented(double x) { double[] R = { 1.25331413731550025, 0.421369229288054473, 0.236652382913560671, 0.162377660896867462, 0.123131963257932296, 0.0990285964717319214, 0.0827662865013691773, 0.0710695805388521071, 0.0622586659950261958 }; int j = (int) (0.5 * (Math.abs(x) + 1)); double a = R[j]; double z = 2 * j; double b = a * z - 1; double h = Math.abs(x) - z; double q = h * h; double pwr = 1; double sum = a + h * b; double term = a; for (int i = 2; sum != term; i += 2) { term = sum; a = (a + z * b) / (i); b = (b + z * a) / (i + 1); pwr *= q; sum = term + pwr * (a + h * b); } sum *= Math.exp(-0.5 * (x * x) - 0.5 * Constants.Log2PI); return (x >= 0) ? sum : (1.0 - sum); }
java
public static double HighAccuracyComplemented(double x) { double[] R = { 1.25331413731550025, 0.421369229288054473, 0.236652382913560671, 0.162377660896867462, 0.123131963257932296, 0.0990285964717319214, 0.0827662865013691773, 0.0710695805388521071, 0.0622586659950261958 }; int j = (int) (0.5 * (Math.abs(x) + 1)); double a = R[j]; double z = 2 * j; double b = a * z - 1; double h = Math.abs(x) - z; double q = h * h; double pwr = 1; double sum = a + h * b; double term = a; for (int i = 2; sum != term; i += 2) { term = sum; a = (a + z * b) / (i); b = (b + z * a) / (i + 1); pwr *= q; sum = term + pwr * (a + h * b); } sum *= Math.exp(-0.5 * (x * x) - 0.5 * Constants.Log2PI); return (x >= 0) ? sum : (1.0 - sum); }
[ "public", "static", "double", "HighAccuracyComplemented", "(", "double", "x", ")", "{", "double", "[", "]", "R", "=", "{", "1.25331413731550025", ",", "0.421369229288054473", ",", "0.236652382913560671", ",", "0.162377660896867462", ",", "0.123131963257932296", ",", "0.0990285964717319214", ",", "0.0827662865013691773", ",", "0.0710695805388521071", ",", "0.0622586659950261958", "}", ";", "int", "j", "=", "(", "int", ")", "(", "0.5", "*", "(", "Math", ".", "abs", "(", "x", ")", "+", "1", ")", ")", ";", "double", "a", "=", "R", "[", "j", "]", ";", "double", "z", "=", "2", "*", "j", ";", "double", "b", "=", "a", "*", "z", "-", "1", ";", "double", "h", "=", "Math", ".", "abs", "(", "x", ")", "-", "z", ";", "double", "q", "=", "h", "*", "h", ";", "double", "pwr", "=", "1", ";", "double", "sum", "=", "a", "+", "h", "*", "b", ";", "double", "term", "=", "a", ";", "for", "(", "int", "i", "=", "2", ";", "sum", "!=", "term", ";", "i", "+=", "2", ")", "{", "term", "=", "sum", ";", "a", "=", "(", "a", "+", "z", "*", "b", ")", "/", "(", "i", ")", ";", "b", "=", "(", "b", "+", "z", "*", "a", ")", "/", "(", "i", "+", "1", ")", ";", "pwr", "*=", "q", ";", "sum", "=", "term", "+", "pwr", "*", "(", "a", "+", "h", "*", "b", ")", ";", "}", "sum", "*=", "Math", ".", "exp", "(", "-", "0.5", "*", "(", "x", "*", "x", ")", "-", "0.5", "*", "Constants", ".", "Log2PI", ")", ";", "return", "(", "x", ">=", "0", ")", "?", "sum", ":", "(", "1.0", "-", "sum", ")", ";", "}" ]
High-accuracy Complementary normal distribution function. @param x Value. @return Result.
[ "High", "-", "accuracy", "Complementary", "normal", "distribution", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/Normal.java#L225-L260
train
vnesek/nmote-iim4j
src/main/java/com/nmote/iim4j/srs/SubjectReference.java
SubjectReference.toIPTC
public String toIPTC(SubjectReferenceSystem srs) { StringBuffer b = new StringBuffer(); b.append("IPTC:"); b.append(getNumber()); b.append(":"); if (getNumber().endsWith("000000")) { b.append(toIPTCHelper(srs.getName(this))); b.append("::"); } else if (getNumber().endsWith("000")) { b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 2) + "000000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(this))); b.append(":"); } else { b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 2) + "000000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 5) + "000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(this))); } return b.toString(); }
java
public String toIPTC(SubjectReferenceSystem srs) { StringBuffer b = new StringBuffer(); b.append("IPTC:"); b.append(getNumber()); b.append(":"); if (getNumber().endsWith("000000")) { b.append(toIPTCHelper(srs.getName(this))); b.append("::"); } else if (getNumber().endsWith("000")) { b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 2) + "000000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(this))); b.append(":"); } else { b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 2) + "000000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(srs.get(getNumber().substring(0, 5) + "000")))); b.append(":"); b.append(toIPTCHelper(srs.getName(this))); } return b.toString(); }
[ "public", "String", "toIPTC", "(", "SubjectReferenceSystem", "srs", ")", "{", "StringBuffer", "b", "=", "new", "StringBuffer", "(", ")", ";", "b", ".", "append", "(", "\"IPTC:\"", ")", ";", "b", ".", "append", "(", "getNumber", "(", ")", ")", ";", "b", ".", "append", "(", "\":\"", ")", ";", "if", "(", "getNumber", "(", ")", ".", "endsWith", "(", "\"000000\"", ")", ")", "{", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "this", ")", ")", ")", ";", "b", ".", "append", "(", "\"::\"", ")", ";", "}", "else", "if", "(", "getNumber", "(", ")", ".", "endsWith", "(", "\"000\"", ")", ")", "{", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "srs", ".", "get", "(", "getNumber", "(", ")", ".", "substring", "(", "0", ",", "2", ")", "+", "\"000000\"", ")", ")", ")", ")", ";", "b", ".", "append", "(", "\":\"", ")", ";", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "this", ")", ")", ")", ";", "b", ".", "append", "(", "\":\"", ")", ";", "}", "else", "{", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "srs", ".", "get", "(", "getNumber", "(", ")", ".", "substring", "(", "0", ",", "2", ")", "+", "\"000000\"", ")", ")", ")", ")", ";", "b", ".", "append", "(", "\":\"", ")", ";", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "srs", ".", "get", "(", "getNumber", "(", ")", ".", "substring", "(", "0", ",", "5", ")", "+", "\"000\"", ")", ")", ")", ")", ";", "b", ".", "append", "(", "\":\"", ")", ";", "b", ".", "append", "(", "toIPTCHelper", "(", "srs", ".", "getName", "(", "this", ")", ")", ")", ";", "}", "return", "b", ".", "toString", "(", ")", ";", "}" ]
Formats an IPTC string for this reference using information obtained from Subject Reference System. @param srs reference subject reference system @return IPTC formatted reference
[ "Formats", "an", "IPTC", "string", "for", "this", "reference", "using", "information", "obtained", "from", "Subject", "Reference", "System", "." ]
ec55b02fc644cd722e93051ac0bdb96b00cb42a8
https://github.com/vnesek/nmote-iim4j/blob/ec55b02fc644cd722e93051ac0bdb96b00cb42a8/src/main/java/com/nmote/iim4j/srs/SubjectReference.java#L86-L107
train
vnesek/nmote-iim4j
src/main/java/com/nmote/iim4j/IIMDataSetInfoFactory.java
IIMDataSetInfoFactory.create
public DataSetInfo create(int dataSet) throws InvalidDataSetException { DataSetInfo info = dataSets.get(createKey(dataSet)); if (info == null) { int recordNumber = (dataSet >> 8) & 0xFF; int dataSetNumber = dataSet & 0xFF; throw new UnsupportedDataSetException(recordNumber + ":" + dataSetNumber); // info = super.create(dataSet); } return info; }
java
public DataSetInfo create(int dataSet) throws InvalidDataSetException { DataSetInfo info = dataSets.get(createKey(dataSet)); if (info == null) { int recordNumber = (dataSet >> 8) & 0xFF; int dataSetNumber = dataSet & 0xFF; throw new UnsupportedDataSetException(recordNumber + ":" + dataSetNumber); // info = super.create(dataSet); } return info; }
[ "public", "DataSetInfo", "create", "(", "int", "dataSet", ")", "throws", "InvalidDataSetException", "{", "DataSetInfo", "info", "=", "dataSets", ".", "get", "(", "createKey", "(", "dataSet", ")", ")", ";", "if", "(", "info", "==", "null", ")", "{", "int", "recordNumber", "=", "(", "dataSet", ">>", "8", ")", "&", "0xFF", ";", "int", "dataSetNumber", "=", "dataSet", "&", "0xFF", ";", "throw", "new", "UnsupportedDataSetException", "(", "recordNumber", "+", "\":\"", "+", "dataSetNumber", ")", ";", "// info = super.create(dataSet);\r", "}", "return", "info", ";", "}" ]
Creates and caches dataset info object. Subsequent invocations will return same instance. @see IIM#DS(int, int) @param dataSet dataset record number @return dataset info instace
[ "Creates", "and", "caches", "dataset", "info", "object", ".", "Subsequent", "invocations", "will", "return", "same", "instance", "." ]
ec55b02fc644cd722e93051ac0bdb96b00cb42a8
https://github.com/vnesek/nmote-iim4j/blob/ec55b02fc644cd722e93051ac0bdb96b00cb42a8/src/main/java/com/nmote/iim4j/IIMDataSetInfoFactory.java#L83-L92
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java
PerlinNoise.Function1D
public double Function1D(double x) { double frequency = initFrequency; double amplitude = initAmplitude; double sum = 0; // octaves for (int i = 0; i < octaves; i++) { sum += SmoothedNoise(x * frequency) * amplitude; frequency *= 2; amplitude *= persistence; } return sum; }
java
public double Function1D(double x) { double frequency = initFrequency; double amplitude = initAmplitude; double sum = 0; // octaves for (int i = 0; i < octaves; i++) { sum += SmoothedNoise(x * frequency) * amplitude; frequency *= 2; amplitude *= persistence; } return sum; }
[ "public", "double", "Function1D", "(", "double", "x", ")", "{", "double", "frequency", "=", "initFrequency", ";", "double", "amplitude", "=", "initAmplitude", ";", "double", "sum", "=", "0", ";", "// octaves", "for", "(", "int", "i", "=", "0", ";", "i", "<", "octaves", ";", "i", "++", ")", "{", "sum", "+=", "SmoothedNoise", "(", "x", "*", "frequency", ")", "*", "amplitude", ";", "frequency", "*=", "2", ";", "amplitude", "*=", "persistence", ";", "}", "return", "sum", ";", "}" ]
1-D Perlin noise function. @param x X Value. @return Returns function's value at point x.
[ "1", "-", "D", "Perlin", "noise", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java#L148-L161
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java
PerlinNoise.Function2D
public double Function2D(double x, double y) { double frequency = initFrequency; double amplitude = initAmplitude; double sum = 0; // octaves for (int i = 0; i < octaves; i++) { sum += SmoothedNoise(x * frequency, y * frequency) * amplitude; frequency *= 2; amplitude *= persistence; } return sum; }
java
public double Function2D(double x, double y) { double frequency = initFrequency; double amplitude = initAmplitude; double sum = 0; // octaves for (int i = 0; i < octaves; i++) { sum += SmoothedNoise(x * frequency, y * frequency) * amplitude; frequency *= 2; amplitude *= persistence; } return sum; }
[ "public", "double", "Function2D", "(", "double", "x", ",", "double", "y", ")", "{", "double", "frequency", "=", "initFrequency", ";", "double", "amplitude", "=", "initAmplitude", ";", "double", "sum", "=", "0", ";", "// octaves", "for", "(", "int", "i", "=", "0", ";", "i", "<", "octaves", ";", "i", "++", ")", "{", "sum", "+=", "SmoothedNoise", "(", "x", "*", "frequency", ",", "y", "*", "frequency", ")", "*", "amplitude", ";", "frequency", "*=", "2", ";", "amplitude", "*=", "persistence", ";", "}", "return", "sum", ";", "}" ]
2-D Perlin noise function. @param x X Value. @param y Y Value. @return Returns function's value at point xy.
[ "2", "-", "D", "Perlin", "noise", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java#L170-L183
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java
PerlinNoise.Noise
private double Noise(int x, int y) { int n = x + y * 57; n = (n << 13) ^ n; return (1.0 - ((n * (n * n * 15731 + 789221) + 1376312589) & 0x7fffffff) / 1073741824.0); }
java
private double Noise(int x, int y) { int n = x + y * 57; n = (n << 13) ^ n; return (1.0 - ((n * (n * n * 15731 + 789221) + 1376312589) & 0x7fffffff) / 1073741824.0); }
[ "private", "double", "Noise", "(", "int", "x", ",", "int", "y", ")", "{", "int", "n", "=", "x", "+", "y", "*", "57", ";", "n", "=", "(", "n", "<<", "13", ")", "^", "n", ";", "return", "(", "1.0", "-", "(", "(", "n", "*", "(", "n", "*", "n", "*", "15731", "+", "789221", ")", "+", "1376312589", ")", "&", "0x7fffffff", ")", "/", "1073741824.0", ")", ";", "}" ]
Ordinary noise function. @param x X Value. @param y Y Value. @return
[ "Ordinary", "noise", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java#L204-L209
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java
PerlinNoise.CosineInterpolate
private double CosineInterpolate(double x1, double x2, double a) { double f = (1 - Math.cos(a * Math.PI)) * 0.5; return x1 * (1 - f) + x2 * f; }
java
private double CosineInterpolate(double x1, double x2, double a) { double f = (1 - Math.cos(a * Math.PI)) * 0.5; return x1 * (1 - f) + x2 * f; }
[ "private", "double", "CosineInterpolate", "(", "double", "x1", ",", "double", "x2", ",", "double", "a", ")", "{", "double", "f", "=", "(", "1", "-", "Math", ".", "cos", "(", "a", "*", "Math", ".", "PI", ")", ")", "*", "0.5", ";", "return", "x1", "*", "(", "1", "-", "f", ")", "+", "x2", "*", "f", ";", "}" ]
Cosine interpolation. @param x1 X1 Value. @param x2 X2 Value. @param a Value. @return Value.
[ "Cosine", "interpolation", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/PerlinNoise.java#L258-L262
train
skuzzle/jeve
jeve/src/main/java/de/skuzzle/jeve/FailureCollector.java
FailureCollector.getFailedInvocations
public List<FailedEventInvocation> getFailedInvocations() { synchronized (this.mutex) { if (this.failedEvents == null) { return Collections.emptyList(); } return Collections.unmodifiableList(this.failedEvents); } }
java
public List<FailedEventInvocation> getFailedInvocations() { synchronized (this.mutex) { if (this.failedEvents == null) { return Collections.emptyList(); } return Collections.unmodifiableList(this.failedEvents); } }
[ "public", "List", "<", "FailedEventInvocation", ">", "getFailedInvocations", "(", ")", "{", "synchronized", "(", "this", ".", "mutex", ")", "{", "if", "(", "this", ".", "failedEvents", "==", "null", ")", "{", "return", "Collections", ".", "emptyList", "(", ")", ";", "}", "return", "Collections", ".", "unmodifiableList", "(", "this", ".", "failedEvents", ")", ";", "}", "}" ]
Gets the list of failed invocations that has been collected by this collector. @return The failed invocations.
[ "Gets", "the", "list", "of", "failed", "invocations", "that", "has", "been", "collected", "by", "this", "collector", "." ]
42cc18947c9c8596c34410336e4e375e9fcd7c47
https://github.com/skuzzle/jeve/blob/42cc18947c9c8596c34410336e4e375e9fcd7c47/jeve/src/main/java/de/skuzzle/jeve/FailureCollector.java#L77-L84
train
skuzzle/jeve
jeve/src/main/java/de/skuzzle/jeve/SequentialEvent.java
SequentialEvent.getPrevented
public Set<Class<?>> getPrevented() { if (this.prevent == null) { return Collections.emptySet(); } return Collections.unmodifiableSet(this.prevent); }
java
public Set<Class<?>> getPrevented() { if (this.prevent == null) { return Collections.emptySet(); } return Collections.unmodifiableSet(this.prevent); }
[ "public", "Set", "<", "Class", "<", "?", ">", ">", "getPrevented", "(", ")", "{", "if", "(", "this", ".", "prevent", "==", "null", ")", "{", "return", "Collections", ".", "emptySet", "(", ")", ";", "}", "return", "Collections", ".", "unmodifiableSet", "(", "this", ".", "prevent", ")", ";", "}" ]
Gets the listener classes to which dispatching should be prevented while this event is being dispatched. @return The listener classes marked to prevent. @see #preventCascade(Class)
[ "Gets", "the", "listener", "classes", "to", "which", "dispatching", "should", "be", "prevented", "while", "this", "event", "is", "being", "dispatched", "." ]
42cc18947c9c8596c34410336e4e375e9fcd7c47
https://github.com/skuzzle/jeve/blob/42cc18947c9c8596c34410336e4e375e9fcd7c47/jeve/src/main/java/de/skuzzle/jeve/SequentialEvent.java#L182-L187
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/Gabor.java
Gabor.Function1D
public static double Function1D(double x, double mean, double amplitude, double position, double width, double phase, double frequency) { double envelope = mean + amplitude * Math.exp(-Math.pow((x - position), 2) / Math.pow((2 * width), 2)); double carry = Math.cos(2 * Math.PI * frequency * (x - position) + phase); return envelope * carry; }
java
public static double Function1D(double x, double mean, double amplitude, double position, double width, double phase, double frequency) { double envelope = mean + amplitude * Math.exp(-Math.pow((x - position), 2) / Math.pow((2 * width), 2)); double carry = Math.cos(2 * Math.PI * frequency * (x - position) + phase); return envelope * carry; }
[ "public", "static", "double", "Function1D", "(", "double", "x", ",", "double", "mean", ",", "double", "amplitude", ",", "double", "position", ",", "double", "width", ",", "double", "phase", ",", "double", "frequency", ")", "{", "double", "envelope", "=", "mean", "+", "amplitude", "*", "Math", ".", "exp", "(", "-", "Math", ".", "pow", "(", "(", "x", "-", "position", ")", ",", "2", ")", "/", "Math", ".", "pow", "(", "(", "2", "*", "width", ")", ",", "2", ")", ")", ";", "double", "carry", "=", "Math", ".", "cos", "(", "2", "*", "Math", ".", "PI", "*", "frequency", "*", "(", "x", "-", "position", ")", "+", "phase", ")", ";", "return", "envelope", "*", "carry", ";", "}" ]
1-D Gabor function. @param x Value. @param mean Mean. @param amplitude Amplitude. @param position Position. @param width Width. @param phase Phase. @param frequency Frequency. @return Gabor response.
[ "1", "-", "D", "Gabor", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/Gabor.java#L78-L82
train
Harium/keel
src/main/java/com/harium/keel/catalano/math/function/Gabor.java
Gabor.Function2D
public static ComplexNumber Function2D(int x, int y, double wavelength, double orientation, double phaseOffset, double gaussVariance, double aspectRatio) { double X = x * Math.cos(orientation) + y * Math.sin(orientation); double Y = -x * Math.sin(orientation) + y * Math.cos(orientation); double envelope = Math.exp(-((X * X + aspectRatio * aspectRatio * Y * Y) / (2 * gaussVariance * gaussVariance))); double real = Math.cos(2 * Math.PI * (X / wavelength) + phaseOffset); double imaginary = Math.sin(2 * Math.PI * (X / wavelength) + phaseOffset); return new ComplexNumber(envelope * real, envelope * imaginary); }
java
public static ComplexNumber Function2D(int x, int y, double wavelength, double orientation, double phaseOffset, double gaussVariance, double aspectRatio) { double X = x * Math.cos(orientation) + y * Math.sin(orientation); double Y = -x * Math.sin(orientation) + y * Math.cos(orientation); double envelope = Math.exp(-((X * X + aspectRatio * aspectRatio * Y * Y) / (2 * gaussVariance * gaussVariance))); double real = Math.cos(2 * Math.PI * (X / wavelength) + phaseOffset); double imaginary = Math.sin(2 * Math.PI * (X / wavelength) + phaseOffset); return new ComplexNumber(envelope * real, envelope * imaginary); }
[ "public", "static", "ComplexNumber", "Function2D", "(", "int", "x", ",", "int", "y", ",", "double", "wavelength", ",", "double", "orientation", ",", "double", "phaseOffset", ",", "double", "gaussVariance", ",", "double", "aspectRatio", ")", "{", "double", "X", "=", "x", "*", "Math", ".", "cos", "(", "orientation", ")", "+", "y", "*", "Math", ".", "sin", "(", "orientation", ")", ";", "double", "Y", "=", "-", "x", "*", "Math", ".", "sin", "(", "orientation", ")", "+", "y", "*", "Math", ".", "cos", "(", "orientation", ")", ";", "double", "envelope", "=", "Math", ".", "exp", "(", "-", "(", "(", "X", "*", "X", "+", "aspectRatio", "*", "aspectRatio", "*", "Y", "*", "Y", ")", "/", "(", "2", "*", "gaussVariance", "*", "gaussVariance", ")", ")", ")", ";", "double", "real", "=", "Math", ".", "cos", "(", "2", "*", "Math", ".", "PI", "*", "(", "X", "/", "wavelength", ")", "+", "phaseOffset", ")", ";", "double", "imaginary", "=", "Math", ".", "sin", "(", "2", "*", "Math", ".", "PI", "*", "(", "X", "/", "wavelength", ")", "+", "phaseOffset", ")", ";", "return", "new", "ComplexNumber", "(", "envelope", "*", "real", ",", "envelope", "*", "imaginary", ")", ";", "}" ]
2-D Complex Gabor function. @param x X axis coordinate. @param y Y axis coordinate. @param wavelength Wavelength. @param orientation Orientation. @param phaseOffset Phase offset. @param gaussVariance Gaussian variance. @param aspectRatio Aspect ratio. @return Gabor response.
[ "2", "-", "D", "Complex", "Gabor", "function", "." ]
0369ae674f9e664bccc5f9e161ae7e7a3b949a1e
https://github.com/Harium/keel/blob/0369ae674f9e664bccc5f9e161ae7e7a3b949a1e/src/main/java/com/harium/keel/catalano/math/function/Gabor.java#L96-L106
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/local/LocalTaskExecutorService.java
LocalTaskExecutorService.getOldestTaskCreatedTime
public Long getOldestTaskCreatedTime(){ Timer.Context ctx = getOldestTaskTimeTimer.time(); try { long oldest = Long.MAX_VALUE; /* * I am asking this question first, because if I ask it after I could * miss the oldest time if the oldest is polled and worked on */ Long oldestQueueTime = this.taskQueue.getOldestQueueTime(); if(oldestQueueTime != null) oldest = oldestQueueTime; //there is a tiny race condition here... but we just want to make our best attempt long inProgressOldestTime = tasksInProgressTracker.getOldestTime(); if(inProgressOldestTime < oldest) oldest = inProgressOldestTime; return oldest; } finally { ctx.stop(); } }
java
public Long getOldestTaskCreatedTime(){ Timer.Context ctx = getOldestTaskTimeTimer.time(); try { long oldest = Long.MAX_VALUE; /* * I am asking this question first, because if I ask it after I could * miss the oldest time if the oldest is polled and worked on */ Long oldestQueueTime = this.taskQueue.getOldestQueueTime(); if(oldestQueueTime != null) oldest = oldestQueueTime; //there is a tiny race condition here... but we just want to make our best attempt long inProgressOldestTime = tasksInProgressTracker.getOldestTime(); if(inProgressOldestTime < oldest) oldest = inProgressOldestTime; return oldest; } finally { ctx.stop(); } }
[ "public", "Long", "getOldestTaskCreatedTime", "(", ")", "{", "Timer", ".", "Context", "ctx", "=", "getOldestTaskTimeTimer", ".", "time", "(", ")", ";", "try", "{", "long", "oldest", "=", "Long", ".", "MAX_VALUE", ";", "/*\n \t * I am asking this question first, because if I ask it after I could\n \t * miss the oldest time if the oldest is polled and worked on\n \t */", "Long", "oldestQueueTime", "=", "this", ".", "taskQueue", ".", "getOldestQueueTime", "(", ")", ";", "if", "(", "oldestQueueTime", "!=", "null", ")", "oldest", "=", "oldestQueueTime", ";", "//there is a tiny race condition here... but we just want to make our best attempt", "long", "inProgressOldestTime", "=", "tasksInProgressTracker", ".", "getOldestTime", "(", ")", ";", "if", "(", "inProgressOldestTime", "<", "oldest", ")", "oldest", "=", "inProgressOldestTime", ";", "return", "oldest", ";", "}", "finally", "{", "ctx", ".", "stop", "(", ")", ";", "}", "}" ]
We want to get the best result possible as this value is used to determine what work needs to be recovered. @return
[ "We", "want", "to", "get", "the", "best", "result", "possible", "as", "this", "value", "is", "used", "to", "determine", "what", "work", "needs", "to", "be", "recovered", "." ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/local/LocalTaskExecutorService.java#L180-L203
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/local/LocalTaskExecutorService.java
LocalTaskExecutorService.shutdownNow
@SuppressWarnings({ "unchecked", "rawtypes" }) public List<HazeltaskTask<G>> shutdownNow() { return (List<HazeltaskTask<G>>) (List) localExecutorPool.shutdownNow(); }
java
@SuppressWarnings({ "unchecked", "rawtypes" }) public List<HazeltaskTask<G>> shutdownNow() { return (List<HazeltaskTask<G>>) (List) localExecutorPool.shutdownNow(); }
[ "@", "SuppressWarnings", "(", "{", "\"unchecked\"", ",", "\"rawtypes\"", "}", ")", "public", "List", "<", "HazeltaskTask", "<", "G", ">", ">", "shutdownNow", "(", ")", "{", "return", "(", "List", "<", "HazeltaskTask", "<", "G", ">", ">", ")", "(", "List", ")", "localExecutorPool", ".", "shutdownNow", "(", ")", ";", "}" ]
SuppressWarnings I really want to return HazeltaskTasks instead of Runnable
[ "SuppressWarnings", "I", "really", "want", "to", "return", "HazeltaskTasks", "instead", "of", "Runnable" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/local/LocalTaskExecutorService.java#L307-L310
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/metrics/ExecutorMetrics.java
ExecutorMetrics.registerCollectionSizeGauge
public void registerCollectionSizeGauge( CollectionSizeGauge collectionSizeGauge) { String name = createMetricName(LocalTaskExecutorService.class, "queue-size"); metrics.register(name, collectionSizeGauge); }
java
public void registerCollectionSizeGauge( CollectionSizeGauge collectionSizeGauge) { String name = createMetricName(LocalTaskExecutorService.class, "queue-size"); metrics.register(name, collectionSizeGauge); }
[ "public", "void", "registerCollectionSizeGauge", "(", "CollectionSizeGauge", "collectionSizeGauge", ")", "{", "String", "name", "=", "createMetricName", "(", "LocalTaskExecutorService", ".", "class", ",", "\"queue-size\"", ")", ";", "metrics", ".", "register", "(", "name", ",", "collectionSizeGauge", ")", ";", "}" ]
Calling this twice will not actually overwrite the gauge @param collectionSizeGauge
[ "Calling", "this", "twice", "will", "not", "actually", "overwrite", "the", "gauge" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/metrics/ExecutorMetrics.java#L238-L243
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/config/ExecutorLoadBalancingConfig.java
ExecutorLoadBalancingConfig.useLoadBalancedEnumOrdinalPrioritizer
public ExecutorLoadBalancingConfig<GROUP> useLoadBalancedEnumOrdinalPrioritizer(Class<GROUP> groupClass) { if(!groupClass.isEnum()) { throw new IllegalArgumentException("The group class "+groupClass+" is not an enum"); } groupPrioritizer = new LoadBalancedPriorityPrioritizer<GROUP>(new EnumOrdinalPrioritizer<GROUP>()); return this; }
java
public ExecutorLoadBalancingConfig<GROUP> useLoadBalancedEnumOrdinalPrioritizer(Class<GROUP> groupClass) { if(!groupClass.isEnum()) { throw new IllegalArgumentException("The group class "+groupClass+" is not an enum"); } groupPrioritizer = new LoadBalancedPriorityPrioritizer<GROUP>(new EnumOrdinalPrioritizer<GROUP>()); return this; }
[ "public", "ExecutorLoadBalancingConfig", "<", "GROUP", ">", "useLoadBalancedEnumOrdinalPrioritizer", "(", "Class", "<", "GROUP", ">", "groupClass", ")", "{", "if", "(", "!", "groupClass", ".", "isEnum", "(", ")", ")", "{", "throw", "new", "IllegalArgumentException", "(", "\"The group class \"", "+", "groupClass", "+", "\" is not an enum\"", ")", ";", "}", "groupPrioritizer", "=", "new", "LoadBalancedPriorityPrioritizer", "<", "GROUP", ">", "(", "new", "EnumOrdinalPrioritizer", "<", "GROUP", ">", "(", ")", ")", ";", "return", "this", ";", "}" ]
If you have priorities based on enums, this is the recommended prioritizer to use as it will prevent starvation of low priority items @param groupClass @return
[ "If", "you", "have", "priorities", "based", "on", "enums", "this", "is", "the", "recommended", "prioritizer", "to", "use", "as", "it", "will", "prevent", "starvation", "of", "low", "priority", "items" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/config/ExecutorLoadBalancingConfig.java#L53-L59
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/config/defaults/ExecutorConfigs.java
ExecutorConfigs.basicGroupable
public static <GROUP extends Serializable> ExecutorConfig<GROUP> basicGroupable() { return new ExecutorConfig<GROUP>() .withTaskIdAdapter((TaskIdAdapter<Groupable<GROUP>, GROUP, ?>) new DefaultGroupableTaskIdAdapter<GROUP>()); }
java
public static <GROUP extends Serializable> ExecutorConfig<GROUP> basicGroupable() { return new ExecutorConfig<GROUP>() .withTaskIdAdapter((TaskIdAdapter<Groupable<GROUP>, GROUP, ?>) new DefaultGroupableTaskIdAdapter<GROUP>()); }
[ "public", "static", "<", "GROUP", "extends", "Serializable", ">", "ExecutorConfig", "<", "GROUP", ">", "basicGroupable", "(", ")", "{", "return", "new", "ExecutorConfig", "<", "GROUP", ">", "(", ")", ".", "withTaskIdAdapter", "(", "(", "TaskIdAdapter", "<", "Groupable", "<", "GROUP", ">", ",", "GROUP", ",", "?", ">", ")", "new", "DefaultGroupableTaskIdAdapter", "<", "GROUP", ">", "(", ")", ")", ";", "}" ]
This configuration requires that all your tasks you submit to the system implement the Groupable interface. By default, it will round robin tasks from each group Tasks will be tracked internally in the system by randomly generated UUIDs @return
[ "This", "configuration", "requires", "that", "all", "your", "tasks", "you", "submit", "to", "the", "system", "implement", "the", "Groupable", "interface", ".", "By", "default", "it", "will", "round", "robin", "tasks", "from", "each", "group" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/config/defaults/ExecutorConfigs.java#L49-L52
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/clusterop/ShutdownOp.java
ShutdownOp.call
public Collection<HazeltaskTask<GROUP>> call() throws Exception { try { if(isShutdownNow) return this.getDistributedExecutorService().shutdownNowWithHazeltask(); else this.getDistributedExecutorService().shutdown(); } catch(IllegalStateException e) {} return Collections.emptyList(); }
java
public Collection<HazeltaskTask<GROUP>> call() throws Exception { try { if(isShutdownNow) return this.getDistributedExecutorService().shutdownNowWithHazeltask(); else this.getDistributedExecutorService().shutdown(); } catch(IllegalStateException e) {} return Collections.emptyList(); }
[ "public", "Collection", "<", "HazeltaskTask", "<", "GROUP", ">", ">", "call", "(", ")", "throws", "Exception", "{", "try", "{", "if", "(", "isShutdownNow", ")", "return", "this", ".", "getDistributedExecutorService", "(", ")", ".", "shutdownNowWithHazeltask", "(", ")", ";", "else", "this", ".", "getDistributedExecutorService", "(", ")", ".", "shutdown", "(", ")", ";", "}", "catch", "(", "IllegalStateException", "e", ")", "{", "}", "return", "Collections", ".", "emptyList", "(", ")", ";", "}" ]
I promise that this is always a collection of HazeltaskTasks
[ "I", "promise", "that", "this", "is", "always", "a", "collection", "of", "HazeltaskTasks" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/clusterop/ShutdownOp.java#L29-L38
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/hazelcast/MemberTasks.java
MemberTasks.executeOptimistic
public static <T> Collection<MemberResponse<T>> executeOptimistic(IExecutorService execSvc, Set<Member> members, Callable<T> callable) { return executeOptimistic(execSvc, members, callable, 60, TimeUnit.SECONDS); }
java
public static <T> Collection<MemberResponse<T>> executeOptimistic(IExecutorService execSvc, Set<Member> members, Callable<T> callable) { return executeOptimistic(execSvc, members, callable, 60, TimeUnit.SECONDS); }
[ "public", "static", "<", "T", ">", "Collection", "<", "MemberResponse", "<", "T", ">", ">", "executeOptimistic", "(", "IExecutorService", "execSvc", ",", "Set", "<", "Member", ">", "members", ",", "Callable", "<", "T", ">", "callable", ")", "{", "return", "executeOptimistic", "(", "execSvc", ",", "members", ",", "callable", ",", "60", ",", "TimeUnit", ".", "SECONDS", ")", ";", "}" ]
Will wait a maximum of 1 minute for each node to response with their result. If an error occurs on any member, we will always attempt to continue execution and collect as many results as possible. @param execSvc @param members @param callable @return
[ "Will", "wait", "a", "maximum", "of", "1", "minute", "for", "each", "node", "to", "response", "with", "their", "result", ".", "If", "an", "error", "occurs", "on", "any", "member", "we", "will", "always", "attempt", "to", "continue", "execution", "and", "collect", "as", "many", "results", "as", "possible", "." ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/hazelcast/MemberTasks.java#L53-L55
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/hazelcast/MemberTasks.java
MemberTasks.executeOptimistic
public static <T> Collection<MemberResponse<T>> executeOptimistic(IExecutorService execSvc, Set<Member> members, Callable<T> callable, long maxWaitTime, TimeUnit unit) { Collection<MemberResponse<T>> result = new ArrayList<MemberResponse<T>>(members.size()); Map<Member, Future<T>> resultFutures = execSvc.submitToMembers(callable, members); for(Entry<Member, Future<T>> futureEntry : resultFutures.entrySet()) { Future<T> future = futureEntry.getValue(); Member member = futureEntry.getKey(); try { if(maxWaitTime > 0) { result.add(new MemberResponse<T>(member, future.get(maxWaitTime, unit))); } else { result.add(new MemberResponse<T>(member, future.get())); } //ignore exceptions... return what you can } catch (InterruptedException e) { Thread.currentThread().interrupt(); //restore interrupted status and return what we have return result; } catch (MemberLeftException e) { log.warn("Member {} left while trying to get a distributed callable result", member); } catch (ExecutionException e) { if(e.getCause() instanceof InterruptedException) { //restore interrupted state and return Thread.currentThread().interrupt(); return result; } else { log.warn("Unable to execute callable on "+member+". There was an error.", e); } } catch (TimeoutException e) { log.error("Unable to execute task on "+member+" within 10 seconds."); } catch (RuntimeException e) { log.error("Unable to execute task on "+member+". An unexpected error occurred.", e); } } return result; }
java
public static <T> Collection<MemberResponse<T>> executeOptimistic(IExecutorService execSvc, Set<Member> members, Callable<T> callable, long maxWaitTime, TimeUnit unit) { Collection<MemberResponse<T>> result = new ArrayList<MemberResponse<T>>(members.size()); Map<Member, Future<T>> resultFutures = execSvc.submitToMembers(callable, members); for(Entry<Member, Future<T>> futureEntry : resultFutures.entrySet()) { Future<T> future = futureEntry.getValue(); Member member = futureEntry.getKey(); try { if(maxWaitTime > 0) { result.add(new MemberResponse<T>(member, future.get(maxWaitTime, unit))); } else { result.add(new MemberResponse<T>(member, future.get())); } //ignore exceptions... return what you can } catch (InterruptedException e) { Thread.currentThread().interrupt(); //restore interrupted status and return what we have return result; } catch (MemberLeftException e) { log.warn("Member {} left while trying to get a distributed callable result", member); } catch (ExecutionException e) { if(e.getCause() instanceof InterruptedException) { //restore interrupted state and return Thread.currentThread().interrupt(); return result; } else { log.warn("Unable to execute callable on "+member+". There was an error.", e); } } catch (TimeoutException e) { log.error("Unable to execute task on "+member+" within 10 seconds."); } catch (RuntimeException e) { log.error("Unable to execute task on "+member+". An unexpected error occurred.", e); } } return result; }
[ "public", "static", "<", "T", ">", "Collection", "<", "MemberResponse", "<", "T", ">", ">", "executeOptimistic", "(", "IExecutorService", "execSvc", ",", "Set", "<", "Member", ">", "members", ",", "Callable", "<", "T", ">", "callable", ",", "long", "maxWaitTime", ",", "TimeUnit", "unit", ")", "{", "Collection", "<", "MemberResponse", "<", "T", ">>", "result", "=", "new", "ArrayList", "<", "MemberResponse", "<", "T", ">", ">", "(", "members", ".", "size", "(", ")", ")", ";", "Map", "<", "Member", ",", "Future", "<", "T", ">", ">", "resultFutures", "=", "execSvc", ".", "submitToMembers", "(", "callable", ",", "members", ")", ";", "for", "(", "Entry", "<", "Member", ",", "Future", "<", "T", ">", ">", "futureEntry", ":", "resultFutures", ".", "entrySet", "(", ")", ")", "{", "Future", "<", "T", ">", "future", "=", "futureEntry", ".", "getValue", "(", ")", ";", "Member", "member", "=", "futureEntry", ".", "getKey", "(", ")", ";", "try", "{", "if", "(", "maxWaitTime", ">", "0", ")", "{", "result", ".", "add", "(", "new", "MemberResponse", "<", "T", ">", "(", "member", ",", "future", ".", "get", "(", "maxWaitTime", ",", "unit", ")", ")", ")", ";", "}", "else", "{", "result", ".", "add", "(", "new", "MemberResponse", "<", "T", ">", "(", "member", ",", "future", ".", "get", "(", ")", ")", ")", ";", "}", "//ignore exceptions... return what you can", "}", "catch", "(", "InterruptedException", "e", ")", "{", "Thread", ".", "currentThread", "(", ")", ".", "interrupt", "(", ")", ";", "//restore interrupted status and return what we have", "return", "result", ";", "}", "catch", "(", "MemberLeftException", "e", ")", "{", "log", ".", "warn", "(", "\"Member {} left while trying to get a distributed callable result\"", ",", "member", ")", ";", "}", "catch", "(", "ExecutionException", "e", ")", "{", "if", "(", "e", ".", "getCause", "(", ")", "instanceof", "InterruptedException", ")", "{", "//restore interrupted state and return", "Thread", ".", "currentThread", "(", ")", ".", "interrupt", "(", ")", ";", "return", "result", ";", "}", "else", "{", "log", ".", "warn", "(", "\"Unable to execute callable on \"", "+", "member", "+", "\". There was an error.\"", ",", "e", ")", ";", "}", "}", "catch", "(", "TimeoutException", "e", ")", "{", "log", ".", "error", "(", "\"Unable to execute task on \"", "+", "member", "+", "\" within 10 seconds.\"", ")", ";", "}", "catch", "(", "RuntimeException", "e", ")", "{", "log", ".", "error", "(", "\"Unable to execute task on \"", "+", "member", "+", "\". An unexpected error occurred.\"", ",", "e", ")", ";", "}", "}", "return", "result", ";", "}" ]
We will always try to gather as many results as possible and never throw an exception. TODO: Make MemberResponse hold an exception that we can populate if something bad happens so we always get to return something for a member in order to indicate a failure. Getting the result when there is an error should throw an exception. @param execSvc @param members @param callable @param maxWaitTime - a value of 0 indicates forever @param unit @return
[ "We", "will", "always", "try", "to", "gather", "as", "many", "results", "as", "possible", "and", "never", "throw", "an", "exception", "." ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/hazelcast/MemberTasks.java#L71-L107
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/DistributedFutureTracker.java
DistributedFutureTracker.createFuture
@SuppressWarnings("unchecked") public <T> DistributedFuture<GROUP, T> createFuture(HazeltaskTask<GROUP> task) { DistributedFuture<GROUP, T> future = new DistributedFuture<GROUP, T>(topologyService, task.getGroup(), task.getId()); this.futures.put(task.getId(), (DistributedFuture<GROUP, Serializable>) future); return future; }
java
@SuppressWarnings("unchecked") public <T> DistributedFuture<GROUP, T> createFuture(HazeltaskTask<GROUP> task) { DistributedFuture<GROUP, T> future = new DistributedFuture<GROUP, T>(topologyService, task.getGroup(), task.getId()); this.futures.put(task.getId(), (DistributedFuture<GROUP, Serializable>) future); return future; }
[ "@", "SuppressWarnings", "(", "\"unchecked\"", ")", "public", "<", "T", ">", "DistributedFuture", "<", "GROUP", ",", "T", ">", "createFuture", "(", "HazeltaskTask", "<", "GROUP", ">", "task", ")", "{", "DistributedFuture", "<", "GROUP", ",", "T", ">", "future", "=", "new", "DistributedFuture", "<", "GROUP", ",", "T", ">", "(", "topologyService", ",", "task", ".", "getGroup", "(", ")", ",", "task", ".", "getId", "(", ")", ")", ";", "this", ".", "futures", ".", "put", "(", "task", ".", "getId", "(", ")", ",", "(", "DistributedFuture", "<", "GROUP", ",", "Serializable", ">", ")", "future", ")", ";", "return", "future", ";", "}" ]
It is required that T be Serializable
[ "It", "is", "required", "that", "T", "be", "Serializable" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/DistributedFutureTracker.java#L70-L75
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/DistributedFutureTracker.java
DistributedFutureTracker.errorFuture
public void errorFuture(UUID taskId, Exception e) { DistributedFuture<GROUP, Serializable> future = remove(taskId); if(future != null) { future.setException(e); } }
java
public void errorFuture(UUID taskId, Exception e) { DistributedFuture<GROUP, Serializable> future = remove(taskId); if(future != null) { future.setException(e); } }
[ "public", "void", "errorFuture", "(", "UUID", "taskId", ",", "Exception", "e", ")", "{", "DistributedFuture", "<", "GROUP", ",", "Serializable", ">", "future", "=", "remove", "(", "taskId", ")", ";", "if", "(", "future", "!=", "null", ")", "{", "future", ".", "setException", "(", "e", ")", ";", "}", "}" ]
handles when a member leaves and hazelcast partition data is lost. We want to find the Futures that are waiting on lost data and error them
[ "handles", "when", "a", "member", "leaves", "and", "hazelcast", "partition", "data", "is", "lost", ".", "We", "want", "to", "find", "the", "Futures", "that", "are", "waiting", "on", "lost", "data", "and", "error", "them" ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/DistributedFutureTracker.java#L116-L121
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/core/concurrent/BackoffTimer.java
BackoffTimer.schedule
public void schedule(BackoffTask task, long initialDelay, long fixedDelay) { synchronized (queue) { start(); queue.put(new DelayedTimerTask(task, initialDelay, fixedDelay)); } }
java
public void schedule(BackoffTask task, long initialDelay, long fixedDelay) { synchronized (queue) { start(); queue.put(new DelayedTimerTask(task, initialDelay, fixedDelay)); } }
[ "public", "void", "schedule", "(", "BackoffTask", "task", ",", "long", "initialDelay", ",", "long", "fixedDelay", ")", "{", "synchronized", "(", "queue", ")", "{", "start", "(", ")", ";", "queue", ".", "put", "(", "new", "DelayedTimerTask", "(", "task", ",", "initialDelay", ",", "fixedDelay", ")", ")", ";", "}", "}" ]
Schedules the task with a fixed delay period and an initialDelay period. This functions like the normal java Timer. @param task @param initialDelay @param fixedDelay
[ "Schedules", "the", "task", "with", "a", "fixed", "delay", "period", "and", "an", "initialDelay", "period", ".", "This", "functions", "like", "the", "normal", "java", "Timer", "." ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/core/concurrent/BackoffTimer.java#L109-L114
train
jclawson/hazeltask
hazeltask-core/src/main/java/com/hazeltask/executor/HazelcastExecutorTopologyService.java
HazelcastExecutorTopologyService.addPendingTaskAsync
public Future<HazeltaskTask<GROUP>> addPendingTaskAsync(HazeltaskTask<GROUP> task) { return pendingTask.putAsync(task.getId(), task); }
java
public Future<HazeltaskTask<GROUP>> addPendingTaskAsync(HazeltaskTask<GROUP> task) { return pendingTask.putAsync(task.getId(), task); }
[ "public", "Future", "<", "HazeltaskTask", "<", "GROUP", ">", ">", "addPendingTaskAsync", "(", "HazeltaskTask", "<", "GROUP", ">", "task", ")", "{", "return", "pendingTask", ".", "putAsync", "(", "task", ".", "getId", "(", ")", ",", "task", ")", ";", "}" ]
Asynchronously put the work into the pending map so we can work on submitting it to the worker if we wanted. Could possibly cause duplicate work if we execute the work, then add to the map. @param task @return
[ "Asynchronously", "put", "the", "work", "into", "the", "pending", "map", "so", "we", "can", "work", "on", "submitting", "it", "to", "the", "worker", "if", "we", "wanted", ".", "Could", "possibly", "cause", "duplicate", "work", "if", "we", "execute", "the", "work", "then", "add", "to", "the", "map", "." ]
801162bc54c5f1d5744a28a2844b24289d9495d7
https://github.com/jclawson/hazeltask/blob/801162bc54c5f1d5744a28a2844b24289d9495d7/hazeltask-core/src/main/java/com/hazeltask/executor/HazelcastExecutorTopologyService.java#L154-L156
train
phax/ph-xmldsig
src/main/java/com/helger/xmldsig/XMLDSigCreator.java
XMLDSigCreator.applyXMLDSigAsFirstChild
public void applyXMLDSigAsFirstChild (@Nonnull final PrivateKey aPrivateKey, @Nonnull final X509Certificate aCertificate, @Nonnull final Document aDocument) throws Exception { ValueEnforcer.notNull (aPrivateKey, "privateKey"); ValueEnforcer.notNull (aCertificate, "certificate"); ValueEnforcer.notNull (aDocument, "document"); ValueEnforcer.notNull (aDocument.getDocumentElement (), "Document is missing a document element"); if (aDocument.getDocumentElement ().getChildNodes ().getLength () == 0) throw new IllegalArgumentException ("Document element has no children!"); // Check that the document does not contain another Signature element final NodeList aNodeList = aDocument.getElementsByTagNameNS (XMLSignature.XMLNS, XMLDSigSetup.ELEMENT_SIGNATURE); if (aNodeList.getLength () > 0) throw new IllegalArgumentException ("Document already contains an XMLDSig Signature element!"); // Create the XMLSignature, but don't sign it yet. final XMLSignature aXMLSignature = createXMLSignature (aCertificate); // Create a DOMSignContext and specify the RSA PrivateKey and // location of the resulting XMLSignature's parent element. // -> The signature is always the first child element of the document // element for ebInterface final DOMSignContext aDOMSignContext = new DOMSignContext (aPrivateKey, aDocument.getDocumentElement (), aDocument.getDocumentElement ().getFirstChild ()); // The namespace prefix to be used for the signed XML aDOMSignContext.setDefaultNamespacePrefix (DEFAULT_NS_PREFIX); // Marshal, generate, and sign the enveloped signature. aXMLSignature.sign (aDOMSignContext); }
java
public void applyXMLDSigAsFirstChild (@Nonnull final PrivateKey aPrivateKey, @Nonnull final X509Certificate aCertificate, @Nonnull final Document aDocument) throws Exception { ValueEnforcer.notNull (aPrivateKey, "privateKey"); ValueEnforcer.notNull (aCertificate, "certificate"); ValueEnforcer.notNull (aDocument, "document"); ValueEnforcer.notNull (aDocument.getDocumentElement (), "Document is missing a document element"); if (aDocument.getDocumentElement ().getChildNodes ().getLength () == 0) throw new IllegalArgumentException ("Document element has no children!"); // Check that the document does not contain another Signature element final NodeList aNodeList = aDocument.getElementsByTagNameNS (XMLSignature.XMLNS, XMLDSigSetup.ELEMENT_SIGNATURE); if (aNodeList.getLength () > 0) throw new IllegalArgumentException ("Document already contains an XMLDSig Signature element!"); // Create the XMLSignature, but don't sign it yet. final XMLSignature aXMLSignature = createXMLSignature (aCertificate); // Create a DOMSignContext and specify the RSA PrivateKey and // location of the resulting XMLSignature's parent element. // -> The signature is always the first child element of the document // element for ebInterface final DOMSignContext aDOMSignContext = new DOMSignContext (aPrivateKey, aDocument.getDocumentElement (), aDocument.getDocumentElement ().getFirstChild ()); // The namespace prefix to be used for the signed XML aDOMSignContext.setDefaultNamespacePrefix (DEFAULT_NS_PREFIX); // Marshal, generate, and sign the enveloped signature. aXMLSignature.sign (aDOMSignContext); }
[ "public", "void", "applyXMLDSigAsFirstChild", "(", "@", "Nonnull", "final", "PrivateKey", "aPrivateKey", ",", "@", "Nonnull", "final", "X509Certificate", "aCertificate", ",", "@", "Nonnull", "final", "Document", "aDocument", ")", "throws", "Exception", "{", "ValueEnforcer", ".", "notNull", "(", "aPrivateKey", ",", "\"privateKey\"", ")", ";", "ValueEnforcer", ".", "notNull", "(", "aCertificate", ",", "\"certificate\"", ")", ";", "ValueEnforcer", ".", "notNull", "(", "aDocument", ",", "\"document\"", ")", ";", "ValueEnforcer", ".", "notNull", "(", "aDocument", ".", "getDocumentElement", "(", ")", ",", "\"Document is missing a document element\"", ")", ";", "if", "(", "aDocument", ".", "getDocumentElement", "(", ")", ".", "getChildNodes", "(", ")", ".", "getLength", "(", ")", "==", "0", ")", "throw", "new", "IllegalArgumentException", "(", "\"Document element has no children!\"", ")", ";", "// Check that the document does not contain another Signature element", "final", "NodeList", "aNodeList", "=", "aDocument", ".", "getElementsByTagNameNS", "(", "XMLSignature", ".", "XMLNS", ",", "XMLDSigSetup", ".", "ELEMENT_SIGNATURE", ")", ";", "if", "(", "aNodeList", ".", "getLength", "(", ")", ">", "0", ")", "throw", "new", "IllegalArgumentException", "(", "\"Document already contains an XMLDSig Signature element!\"", ")", ";", "// Create the XMLSignature, but don't sign it yet.", "final", "XMLSignature", "aXMLSignature", "=", "createXMLSignature", "(", "aCertificate", ")", ";", "// Create a DOMSignContext and specify the RSA PrivateKey and", "// location of the resulting XMLSignature's parent element.", "// -> The signature is always the first child element of the document", "// element for ebInterface", "final", "DOMSignContext", "aDOMSignContext", "=", "new", "DOMSignContext", "(", "aPrivateKey", ",", "aDocument", ".", "getDocumentElement", "(", ")", ",", "aDocument", ".", "getDocumentElement", "(", ")", ".", "getFirstChild", "(", ")", ")", ";", "// The namespace prefix to be used for the signed XML", "aDOMSignContext", ".", "setDefaultNamespacePrefix", "(", "DEFAULT_NS_PREFIX", ")", ";", "// Marshal, generate, and sign the enveloped signature.", "aXMLSignature", ".", "sign", "(", "aDOMSignContext", ")", ";", "}" ]
Apply an XMLDSig onto the passed document. @param aPrivateKey The private key used for signing. May not be <code>null</code>. @param aCertificate The certificate to be used. May not be <code>null</code>. @param aDocument The document to be signed. The signature will always be the first child element of the document element. The document may not contains any disg:Signature element. This element is inserted manually. @throws Exception In case something goes wrong @see #createXMLSignature(X509Certificate)
[ "Apply", "an", "XMLDSig", "onto", "the", "passed", "document", "." ]
c00677fe3dac5aef0f3039b08a03e90052473952
https://github.com/phax/ph-xmldsig/blob/c00677fe3dac5aef0f3039b08a03e90052473952/src/main/java/com/helger/xmldsig/XMLDSigCreator.java#L257-L289
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyMapUtils.java
MyMapUtils.rankMapOnIntegerValue
public static <K> Map<K, Integer> rankMapOnIntegerValue(Map<K, Integer> inputMap) { Map<K, Integer> newMap = new TreeMap<K, Integer>(new IntegerValueComparator(inputMap)); newMap.putAll(inputMap); Map<K, Integer> linkedMap = new LinkedHashMap<K, Integer>(newMap); return linkedMap; }
java
public static <K> Map<K, Integer> rankMapOnIntegerValue(Map<K, Integer> inputMap) { Map<K, Integer> newMap = new TreeMap<K, Integer>(new IntegerValueComparator(inputMap)); newMap.putAll(inputMap); Map<K, Integer> linkedMap = new LinkedHashMap<K, Integer>(newMap); return linkedMap; }
[ "public", "static", "<", "K", ">", "Map", "<", "K", ",", "Integer", ">", "rankMapOnIntegerValue", "(", "Map", "<", "K", ",", "Integer", ">", "inputMap", ")", "{", "Map", "<", "K", ",", "Integer", ">", "newMap", "=", "new", "TreeMap", "<", "K", ",", "Integer", ">", "(", "new", "IntegerValueComparator", "(", "inputMap", ")", ")", ";", "newMap", ".", "putAll", "(", "inputMap", ")", ";", "Map", "<", "K", ",", "Integer", ">", "linkedMap", "=", "new", "LinkedHashMap", "<", "K", ",", "Integer", ">", "(", "newMap", ")", ";", "return", "linkedMap", ";", "}" ]
Ranks a map based on integer values @param inputMap Input @return The ranked map
[ "Ranks", "a", "map", "based", "on", "integer", "values" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyMapUtils.java#L36-L42
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleIncomingMessage
private void handleIncomingMessage(SerialMessage incomingMessage) { logger.debug("Incoming message to process"); logger.debug(incomingMessage.toString()); switch (incomingMessage.getMessageType()) { case Request: handleIncomingRequestMessage(incomingMessage); break; case Response: handleIncomingResponseMessage(incomingMessage); break; default: logger.warn("Unsupported incomingMessageType: 0x%02X", incomingMessage.getMessageType()); } }
java
private void handleIncomingMessage(SerialMessage incomingMessage) { logger.debug("Incoming message to process"); logger.debug(incomingMessage.toString()); switch (incomingMessage.getMessageType()) { case Request: handleIncomingRequestMessage(incomingMessage); break; case Response: handleIncomingResponseMessage(incomingMessage); break; default: logger.warn("Unsupported incomingMessageType: 0x%02X", incomingMessage.getMessageType()); } }
[ "private", "void", "handleIncomingMessage", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "debug", "(", "\"Incoming message to process\"", ")", ";", "logger", ".", "debug", "(", "incomingMessage", ".", "toString", "(", ")", ")", ";", "switch", "(", "incomingMessage", ".", "getMessageType", "(", ")", ")", "{", "case", "Request", ":", "handleIncomingRequestMessage", "(", "incomingMessage", ")", ";", "break", ";", "case", "Response", ":", "handleIncomingResponseMessage", "(", "incomingMessage", ")", ";", "break", ";", "default", ":", "logger", ".", "warn", "(", "\"Unsupported incomingMessageType: 0x%02X\"", ",", "incomingMessage", ".", "getMessageType", "(", ")", ")", ";", "}", "}" ]
Handles incoming Serial Messages. Serial messages can either be messages that are a response to our own requests, or the stick asking us information. @param incomingMessage the incoming message to process.
[ "Handles", "incoming", "Serial", "Messages", ".", "Serial", "messages", "can", "either", "be", "messages", "that", "are", "a", "response", "to", "our", "own", "requests", "or", "the", "stick", "asking", "us", "information", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L182-L197
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleIncomingRequestMessage
private void handleIncomingRequestMessage(SerialMessage incomingMessage) { logger.debug("Message type = REQUEST"); switch (incomingMessage.getMessageClass()) { case ApplicationCommandHandler: handleApplicationCommandRequest(incomingMessage); break; case SendData: handleSendDataRequest(incomingMessage); break; case ApplicationUpdate: handleApplicationUpdateRequest(incomingMessage); break; default: logger.warn(String.format("TODO: Implement processing of Request Message = %s (0x%02X)", incomingMessage.getMessageClass().getLabel(), incomingMessage.getMessageClass().getKey())); break; } }
java
private void handleIncomingRequestMessage(SerialMessage incomingMessage) { logger.debug("Message type = REQUEST"); switch (incomingMessage.getMessageClass()) { case ApplicationCommandHandler: handleApplicationCommandRequest(incomingMessage); break; case SendData: handleSendDataRequest(incomingMessage); break; case ApplicationUpdate: handleApplicationUpdateRequest(incomingMessage); break; default: logger.warn(String.format("TODO: Implement processing of Request Message = %s (0x%02X)", incomingMessage.getMessageClass().getLabel(), incomingMessage.getMessageClass().getKey())); break; } }
[ "private", "void", "handleIncomingRequestMessage", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "debug", "(", "\"Message type = REQUEST\"", ")", ";", "switch", "(", "incomingMessage", ".", "getMessageClass", "(", ")", ")", "{", "case", "ApplicationCommandHandler", ":", "handleApplicationCommandRequest", "(", "incomingMessage", ")", ";", "break", ";", "case", "SendData", ":", "handleSendDataRequest", "(", "incomingMessage", ")", ";", "break", ";", "case", "ApplicationUpdate", ":", "handleApplicationUpdateRequest", "(", "incomingMessage", ")", ";", "break", ";", "default", ":", "logger", ".", "warn", "(", "String", ".", "format", "(", "\"TODO: Implement processing of Request Message = %s (0x%02X)\"", ",", "incomingMessage", ".", "getMessageClass", "(", ")", ".", "getLabel", "(", ")", ",", "incomingMessage", ".", "getMessageClass", "(", ")", ".", "getKey", "(", ")", ")", ")", ";", "break", ";", "}", "}" ]
Handles an incoming request message. An incoming request message is a message initiated by a node or the controller. @param incomingMessage the incoming message to process.
[ "Handles", "an", "incoming", "request", "message", ".", "An", "incoming", "request", "message", "is", "a", "message", "initiated", "by", "a", "node", "or", "the", "controller", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L204-L222
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleApplicationCommandRequest
private void handleApplicationCommandRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Application Command Request"); int nodeId = incomingMessage.getMessagePayloadByte(1); logger.debug("Application Command Request from Node " + nodeId); ZWaveNode node = getNode(nodeId); if (node == null) { logger.warn("Node {} not initialized yet, ignoring message.", nodeId); return; } node.resetResendCount(); int commandClassCode = incomingMessage.getMessagePayloadByte(3); ZWaveCommandClass.CommandClass commandClass = ZWaveCommandClass.CommandClass.getCommandClass(commandClassCode); if (commandClass == null) { logger.error(String.format("Unsupported command class 0x%02x", commandClassCode)); return; } logger.debug(String.format("Incoming command class %s (0x%02x)", commandClass.getLabel(), commandClass.getKey())); ZWaveCommandClass zwaveCommandClass = node.getCommandClass(commandClass); // We got an unsupported command class, return. if (zwaveCommandClass == null) { logger.error(String.format("Unsupported command class %s (0x%02x)", commandClass.getLabel(), commandClassCode)); return; } logger.trace("Found Command Class {}, passing to handleApplicationCommandRequest", zwaveCommandClass.getCommandClass().getLabel()); zwaveCommandClass.handleApplicationCommandRequest(incomingMessage, 4, 1); if (incomingMessage.getMessageClass() == this.lastSentMessage.getExpectedReply() && nodeId == this.lastSentMessage.getMessageNode() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } }
java
private void handleApplicationCommandRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Application Command Request"); int nodeId = incomingMessage.getMessagePayloadByte(1); logger.debug("Application Command Request from Node " + nodeId); ZWaveNode node = getNode(nodeId); if (node == null) { logger.warn("Node {} not initialized yet, ignoring message.", nodeId); return; } node.resetResendCount(); int commandClassCode = incomingMessage.getMessagePayloadByte(3); ZWaveCommandClass.CommandClass commandClass = ZWaveCommandClass.CommandClass.getCommandClass(commandClassCode); if (commandClass == null) { logger.error(String.format("Unsupported command class 0x%02x", commandClassCode)); return; } logger.debug(String.format("Incoming command class %s (0x%02x)", commandClass.getLabel(), commandClass.getKey())); ZWaveCommandClass zwaveCommandClass = node.getCommandClass(commandClass); // We got an unsupported command class, return. if (zwaveCommandClass == null) { logger.error(String.format("Unsupported command class %s (0x%02x)", commandClass.getLabel(), commandClassCode)); return; } logger.trace("Found Command Class {}, passing to handleApplicationCommandRequest", zwaveCommandClass.getCommandClass().getLabel()); zwaveCommandClass.handleApplicationCommandRequest(incomingMessage, 4, 1); if (incomingMessage.getMessageClass() == this.lastSentMessage.getExpectedReply() && nodeId == this.lastSentMessage.getMessageNode() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } }
[ "private", "void", "handleApplicationCommandRequest", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle Message Application Command Request\"", ")", ";", "int", "nodeId", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "1", ")", ";", "logger", ".", "debug", "(", "\"Application Command Request from Node \"", "+", "nodeId", ")", ";", "ZWaveNode", "node", "=", "getNode", "(", "nodeId", ")", ";", "if", "(", "node", "==", "null", ")", "{", "logger", ".", "warn", "(", "\"Node {} not initialized yet, ignoring message.\"", ",", "nodeId", ")", ";", "return", ";", "}", "node", ".", "resetResendCount", "(", ")", ";", "int", "commandClassCode", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "3", ")", ";", "ZWaveCommandClass", ".", "CommandClass", "commandClass", "=", "ZWaveCommandClass", ".", "CommandClass", ".", "getCommandClass", "(", "commandClassCode", ")", ";", "if", "(", "commandClass", "==", "null", ")", "{", "logger", ".", "error", "(", "String", ".", "format", "(", "\"Unsupported command class 0x%02x\"", ",", "commandClassCode", ")", ")", ";", "return", ";", "}", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Incoming command class %s (0x%02x)\"", ",", "commandClass", ".", "getLabel", "(", ")", ",", "commandClass", ".", "getKey", "(", ")", ")", ")", ";", "ZWaveCommandClass", "zwaveCommandClass", "=", "node", ".", "getCommandClass", "(", "commandClass", ")", ";", "// We got an unsupported command class, return.", "if", "(", "zwaveCommandClass", "==", "null", ")", "{", "logger", ".", "error", "(", "String", ".", "format", "(", "\"Unsupported command class %s (0x%02x)\"", ",", "commandClass", ".", "getLabel", "(", ")", ",", "commandClassCode", ")", ")", ";", "return", ";", "}", "logger", ".", "trace", "(", "\"Found Command Class {}, passing to handleApplicationCommandRequest\"", ",", "zwaveCommandClass", ".", "getCommandClass", "(", ")", ".", "getLabel", "(", ")", ")", ";", "zwaveCommandClass", ".", "handleApplicationCommandRequest", "(", "incomingMessage", ",", "4", ",", "1", ")", ";", "if", "(", "incomingMessage", ".", "getMessageClass", "(", ")", "==", "this", ".", "lastSentMessage", ".", "getExpectedReply", "(", ")", "&&", "nodeId", "==", "this", ".", "lastSentMessage", ".", "getMessageNode", "(", ")", "&&", "!", "incomingMessage", ".", "isTransActionCanceled", "(", ")", ")", "{", "notifyEventListeners", "(", "new", "ZWaveEvent", "(", "ZWaveEventType", ".", "TRANSACTION_COMPLETED_EVENT", ",", "this", ".", "lastSentMessage", ".", "getMessageNode", "(", ")", ",", "1", ",", "this", ".", "lastSentMessage", ")", ")", ";", "transactionCompleted", ".", "release", "(", ")", ";", "logger", ".", "trace", "(", "\"Released. Transaction completed permit count -> {}\"", ",", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "}", "}" ]
Handles incoming Application Command Request. @param incomingMessage the request message to process.
[ "Handles", "incoming", "Application", "Command", "Request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L228-L266
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleSendDataRequest
private void handleSendDataRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Send Data Request"); int callbackId = incomingMessage.getMessagePayloadByte(0); TransmissionState status = TransmissionState.getTransmissionState(incomingMessage.getMessagePayloadByte(1)); SerialMessage originalMessage = this.lastSentMessage; if (status == null) { logger.warn("Transmission state not found, ignoring."); return; } logger.debug("CallBack ID = {}", callbackId); logger.debug(String.format("Status = %s (0x%02x)", status.getLabel(), status.getKey())); if (originalMessage == null || originalMessage.getCallbackId() != callbackId) { logger.warn("Already processed another send data request for this callback Id, ignoring."); return; } switch (status) { case COMPLETE_OK: ZWaveNode node = this.getNode(originalMessage.getMessageNode()); node.resetResendCount(); // in case we received a ping response and the node is alive, we proceed with the next node stage for this node. if (node != null && node.getNodeStage() == NodeStage.NODEBUILDINFO_PING) { node.advanceNodeStage(); } if (incomingMessage.getMessageClass() == originalMessage.getExpectedReply() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } return; case COMPLETE_NO_ACK: case COMPLETE_FAIL: case COMPLETE_NOT_IDLE: case COMPLETE_NOROUTE: try { handleFailedSendDataRequest(originalMessage); } finally { transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } default: } }
java
private void handleSendDataRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Send Data Request"); int callbackId = incomingMessage.getMessagePayloadByte(0); TransmissionState status = TransmissionState.getTransmissionState(incomingMessage.getMessagePayloadByte(1)); SerialMessage originalMessage = this.lastSentMessage; if (status == null) { logger.warn("Transmission state not found, ignoring."); return; } logger.debug("CallBack ID = {}", callbackId); logger.debug(String.format("Status = %s (0x%02x)", status.getLabel(), status.getKey())); if (originalMessage == null || originalMessage.getCallbackId() != callbackId) { logger.warn("Already processed another send data request for this callback Id, ignoring."); return; } switch (status) { case COMPLETE_OK: ZWaveNode node = this.getNode(originalMessage.getMessageNode()); node.resetResendCount(); // in case we received a ping response and the node is alive, we proceed with the next node stage for this node. if (node != null && node.getNodeStage() == NodeStage.NODEBUILDINFO_PING) { node.advanceNodeStage(); } if (incomingMessage.getMessageClass() == originalMessage.getExpectedReply() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } return; case COMPLETE_NO_ACK: case COMPLETE_FAIL: case COMPLETE_NOT_IDLE: case COMPLETE_NOROUTE: try { handleFailedSendDataRequest(originalMessage); } finally { transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } default: } }
[ "private", "void", "handleSendDataRequest", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle Message Send Data Request\"", ")", ";", "int", "callbackId", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "0", ")", ";", "TransmissionState", "status", "=", "TransmissionState", ".", "getTransmissionState", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "1", ")", ")", ";", "SerialMessage", "originalMessage", "=", "this", ".", "lastSentMessage", ";", "if", "(", "status", "==", "null", ")", "{", "logger", ".", "warn", "(", "\"Transmission state not found, ignoring.\"", ")", ";", "return", ";", "}", "logger", ".", "debug", "(", "\"CallBack ID = {}\"", ",", "callbackId", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Status = %s (0x%02x)\"", ",", "status", ".", "getLabel", "(", ")", ",", "status", ".", "getKey", "(", ")", ")", ")", ";", "if", "(", "originalMessage", "==", "null", "||", "originalMessage", ".", "getCallbackId", "(", ")", "!=", "callbackId", ")", "{", "logger", ".", "warn", "(", "\"Already processed another send data request for this callback Id, ignoring.\"", ")", ";", "return", ";", "}", "switch", "(", "status", ")", "{", "case", "COMPLETE_OK", ":", "ZWaveNode", "node", "=", "this", ".", "getNode", "(", "originalMessage", ".", "getMessageNode", "(", ")", ")", ";", "node", ".", "resetResendCount", "(", ")", ";", "// in case we received a ping response and the node is alive, we proceed with the next node stage for this node.", "if", "(", "node", "!=", "null", "&&", "node", ".", "getNodeStage", "(", ")", "==", "NodeStage", ".", "NODEBUILDINFO_PING", ")", "{", "node", ".", "advanceNodeStage", "(", ")", ";", "}", "if", "(", "incomingMessage", ".", "getMessageClass", "(", ")", "==", "originalMessage", ".", "getExpectedReply", "(", ")", "&&", "!", "incomingMessage", ".", "isTransActionCanceled", "(", ")", ")", "{", "notifyEventListeners", "(", "new", "ZWaveEvent", "(", "ZWaveEventType", ".", "TRANSACTION_COMPLETED_EVENT", ",", "this", ".", "lastSentMessage", ".", "getMessageNode", "(", ")", ",", "1", ",", "this", ".", "lastSentMessage", ")", ")", ";", "transactionCompleted", ".", "release", "(", ")", ";", "logger", ".", "trace", "(", "\"Released. Transaction completed permit count -> {}\"", ",", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "}", "return", ";", "case", "COMPLETE_NO_ACK", ":", "case", "COMPLETE_FAIL", ":", "case", "COMPLETE_NOT_IDLE", ":", "case", "COMPLETE_NOROUTE", ":", "try", "{", "handleFailedSendDataRequest", "(", "originalMessage", ")", ";", "}", "finally", "{", "transactionCompleted", ".", "release", "(", ")", ";", "logger", ".", "trace", "(", "\"Released. Transaction completed permit count -> {}\"", ",", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "}", "default", ":", "}", "}" ]
Handles incoming Send Data Request. Send Data request are used to acknowledge or cancel failed messages. @param incomingMessage the request message to process.
[ "Handles", "incoming", "Send", "Data", "Request", ".", "Send", "Data", "request", "are", "used", "to", "acknowledge", "or", "cancel", "failed", "messages", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L273-L320
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleFailedSendDataRequest
private void handleFailedSendDataRequest(SerialMessage originalMessage) { ZWaveNode node = this.getNode(originalMessage.getMessageNode()); if (node.getNodeStage() == NodeStage.NODEBUILDINFO_DEAD) return; if (!node.isListening() && originalMessage.getPriority() != SerialMessage.SerialMessagePriority.Low) { ZWaveWakeUpCommandClass wakeUpCommandClass = (ZWaveWakeUpCommandClass)node.getCommandClass(ZWaveCommandClass.CommandClass.WAKE_UP); if (wakeUpCommandClass != null) { wakeUpCommandClass.setAwake(false); wakeUpCommandClass.putInWakeUpQueue(originalMessage); //it's a battery operated device, place in wake-up queue. return; } } else if (!node.isListening() && originalMessage.getPriority() == SerialMessage.SerialMessagePriority.Low) return; node.incrementResendCount(); logger.error("Got an error while sending data to node {}. Resending message.", node.getNodeId()); this.sendData(originalMessage); }
java
private void handleFailedSendDataRequest(SerialMessage originalMessage) { ZWaveNode node = this.getNode(originalMessage.getMessageNode()); if (node.getNodeStage() == NodeStage.NODEBUILDINFO_DEAD) return; if (!node.isListening() && originalMessage.getPriority() != SerialMessage.SerialMessagePriority.Low) { ZWaveWakeUpCommandClass wakeUpCommandClass = (ZWaveWakeUpCommandClass)node.getCommandClass(ZWaveCommandClass.CommandClass.WAKE_UP); if (wakeUpCommandClass != null) { wakeUpCommandClass.setAwake(false); wakeUpCommandClass.putInWakeUpQueue(originalMessage); //it's a battery operated device, place in wake-up queue. return; } } else if (!node.isListening() && originalMessage.getPriority() == SerialMessage.SerialMessagePriority.Low) return; node.incrementResendCount(); logger.error("Got an error while sending data to node {}. Resending message.", node.getNodeId()); this.sendData(originalMessage); }
[ "private", "void", "handleFailedSendDataRequest", "(", "SerialMessage", "originalMessage", ")", "{", "ZWaveNode", "node", "=", "this", ".", "getNode", "(", "originalMessage", ".", "getMessageNode", "(", ")", ")", ";", "if", "(", "node", ".", "getNodeStage", "(", ")", "==", "NodeStage", ".", "NODEBUILDINFO_DEAD", ")", "return", ";", "if", "(", "!", "node", ".", "isListening", "(", ")", "&&", "originalMessage", ".", "getPriority", "(", ")", "!=", "SerialMessage", ".", "SerialMessagePriority", ".", "Low", ")", "{", "ZWaveWakeUpCommandClass", "wakeUpCommandClass", "=", "(", "ZWaveWakeUpCommandClass", ")", "node", ".", "getCommandClass", "(", "ZWaveCommandClass", ".", "CommandClass", ".", "WAKE_UP", ")", ";", "if", "(", "wakeUpCommandClass", "!=", "null", ")", "{", "wakeUpCommandClass", ".", "setAwake", "(", "false", ")", ";", "wakeUpCommandClass", ".", "putInWakeUpQueue", "(", "originalMessage", ")", ";", "//it's a battery operated device, place in wake-up queue.", "return", ";", "}", "}", "else", "if", "(", "!", "node", ".", "isListening", "(", ")", "&&", "originalMessage", ".", "getPriority", "(", ")", "==", "SerialMessage", ".", "SerialMessagePriority", ".", "Low", ")", "return", ";", "node", ".", "incrementResendCount", "(", ")", ";", "logger", ".", "error", "(", "\"Got an error while sending data to node {}. Resending message.\"", ",", "node", ".", "getNodeId", "(", ")", ")", ";", "this", ".", "sendData", "(", "originalMessage", ")", ";", "}" ]
Handles a failed SendData request. This can either be because of the stick actively reporting it or because of a time-out of the transaction in the send thread. @param originalMessage the original message that was sent
[ "Handles", "a", "failed", "SendData", "request", ".", "This", "can", "either", "be", "because", "of", "the", "stick", "actively", "reporting", "it", "or", "because", "of", "a", "time", "-", "out", "of", "the", "transaction", "in", "the", "send", "thread", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L327-L348
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleApplicationUpdateRequest
private void handleApplicationUpdateRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Application Update Request"); int nodeId = incomingMessage.getMessagePayloadByte(1); logger.trace("Application Update Request from Node " + nodeId); UpdateState updateState = UpdateState.getUpdateState(incomingMessage.getMessagePayloadByte(0)); switch (updateState) { case NODE_INFO_RECEIVED: logger.debug("Application update request, node information received."); int length = incomingMessage.getMessagePayloadByte(2); ZWaveNode node = getNode(nodeId); node.resetResendCount(); for (int i = 6; i < length + 3; i++) { int data = incomingMessage.getMessagePayloadByte(i); if(data == 0xef ) { // TODO: Implement control command classes break; } logger.debug(String.format("Adding command class 0x%02X to the list of supported command classes.", data)); ZWaveCommandClass commandClass = ZWaveCommandClass.getInstance(data, node, this); if (commandClass != null) node.addCommandClass(commandClass); } // advance node stage. node.advanceNodeStage(); if (incomingMessage.getMessageClass() == this.lastSentMessage.getExpectedReply() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } break; case NODE_INFO_REQ_FAILED: logger.debug("Application update request, Node Info Request Failed, re-request node info."); SerialMessage requestInfoMessage = this.lastSentMessage; if (requestInfoMessage.getMessageClass() != SerialMessage.SerialMessageClass.RequestNodeInfo) { logger.warn("Got application update request without node info request, ignoring."); return; } if (--requestInfoMessage.attempts >= 0) { logger.error("Got Node Info Request Failed while sending this serial message. Requeueing"); this.enqueue(requestInfoMessage); } else { logger.warn("Node Info Request Failed 3x. Discarding message: {}", lastSentMessage.toString()); } transactionCompleted.release(); break; default: logger.warn(String.format("TODO: Implement Application Update Request Handling of %s (0x%02X).", updateState.getLabel(), updateState.getKey())); } }
java
private void handleApplicationUpdateRequest(SerialMessage incomingMessage) { logger.trace("Handle Message Application Update Request"); int nodeId = incomingMessage.getMessagePayloadByte(1); logger.trace("Application Update Request from Node " + nodeId); UpdateState updateState = UpdateState.getUpdateState(incomingMessage.getMessagePayloadByte(0)); switch (updateState) { case NODE_INFO_RECEIVED: logger.debug("Application update request, node information received."); int length = incomingMessage.getMessagePayloadByte(2); ZWaveNode node = getNode(nodeId); node.resetResendCount(); for (int i = 6; i < length + 3; i++) { int data = incomingMessage.getMessagePayloadByte(i); if(data == 0xef ) { // TODO: Implement control command classes break; } logger.debug(String.format("Adding command class 0x%02X to the list of supported command classes.", data)); ZWaveCommandClass commandClass = ZWaveCommandClass.getInstance(data, node, this); if (commandClass != null) node.addCommandClass(commandClass); } // advance node stage. node.advanceNodeStage(); if (incomingMessage.getMessageClass() == this.lastSentMessage.getExpectedReply() && !incomingMessage.isTransActionCanceled()) { notifyEventListeners(new ZWaveEvent(ZWaveEventType.TRANSACTION_COMPLETED_EVENT, this.lastSentMessage.getMessageNode(), 1, this.lastSentMessage)); transactionCompleted.release(); logger.trace("Released. Transaction completed permit count -> {}", transactionCompleted.availablePermits()); } break; case NODE_INFO_REQ_FAILED: logger.debug("Application update request, Node Info Request Failed, re-request node info."); SerialMessage requestInfoMessage = this.lastSentMessage; if (requestInfoMessage.getMessageClass() != SerialMessage.SerialMessageClass.RequestNodeInfo) { logger.warn("Got application update request without node info request, ignoring."); return; } if (--requestInfoMessage.attempts >= 0) { logger.error("Got Node Info Request Failed while sending this serial message. Requeueing"); this.enqueue(requestInfoMessage); } else { logger.warn("Node Info Request Failed 3x. Discarding message: {}", lastSentMessage.toString()); } transactionCompleted.release(); break; default: logger.warn(String.format("TODO: Implement Application Update Request Handling of %s (0x%02X).", updateState.getLabel(), updateState.getKey())); } }
[ "private", "void", "handleApplicationUpdateRequest", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle Message Application Update Request\"", ")", ";", "int", "nodeId", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "1", ")", ";", "logger", ".", "trace", "(", "\"Application Update Request from Node \"", "+", "nodeId", ")", ";", "UpdateState", "updateState", "=", "UpdateState", ".", "getUpdateState", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "0", ")", ")", ";", "switch", "(", "updateState", ")", "{", "case", "NODE_INFO_RECEIVED", ":", "logger", ".", "debug", "(", "\"Application update request, node information received.\"", ")", ";", "int", "length", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "2", ")", ";", "ZWaveNode", "node", "=", "getNode", "(", "nodeId", ")", ";", "node", ".", "resetResendCount", "(", ")", ";", "for", "(", "int", "i", "=", "6", ";", "i", "<", "length", "+", "3", ";", "i", "++", ")", "{", "int", "data", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "i", ")", ";", "if", "(", "data", "==", "0xef", ")", "{", "// TODO: Implement control command classes", "break", ";", "}", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Adding command class 0x%02X to the list of supported command classes.\"", ",", "data", ")", ")", ";", "ZWaveCommandClass", "commandClass", "=", "ZWaveCommandClass", ".", "getInstance", "(", "data", ",", "node", ",", "this", ")", ";", "if", "(", "commandClass", "!=", "null", ")", "node", ".", "addCommandClass", "(", "commandClass", ")", ";", "}", "// advance node stage.", "node", ".", "advanceNodeStage", "(", ")", ";", "if", "(", "incomingMessage", ".", "getMessageClass", "(", ")", "==", "this", ".", "lastSentMessage", ".", "getExpectedReply", "(", ")", "&&", "!", "incomingMessage", ".", "isTransActionCanceled", "(", ")", ")", "{", "notifyEventListeners", "(", "new", "ZWaveEvent", "(", "ZWaveEventType", ".", "TRANSACTION_COMPLETED_EVENT", ",", "this", ".", "lastSentMessage", ".", "getMessageNode", "(", ")", ",", "1", ",", "this", ".", "lastSentMessage", ")", ")", ";", "transactionCompleted", ".", "release", "(", ")", ";", "logger", ".", "trace", "(", "\"Released. Transaction completed permit count -> {}\"", ",", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "}", "break", ";", "case", "NODE_INFO_REQ_FAILED", ":", "logger", ".", "debug", "(", "\"Application update request, Node Info Request Failed, re-request node info.\"", ")", ";", "SerialMessage", "requestInfoMessage", "=", "this", ".", "lastSentMessage", ";", "if", "(", "requestInfoMessage", ".", "getMessageClass", "(", ")", "!=", "SerialMessage", ".", "SerialMessageClass", ".", "RequestNodeInfo", ")", "{", "logger", ".", "warn", "(", "\"Got application update request without node info request, ignoring.\"", ")", ";", "return", ";", "}", "if", "(", "--", "requestInfoMessage", ".", "attempts", ">=", "0", ")", "{", "logger", ".", "error", "(", "\"Got Node Info Request Failed while sending this serial message. Requeueing\"", ")", ";", "this", ".", "enqueue", "(", "requestInfoMessage", ")", ";", "}", "else", "{", "logger", ".", "warn", "(", "\"Node Info Request Failed 3x. Discarding message: {}\"", ",", "lastSentMessage", ".", "toString", "(", ")", ")", ";", "}", "transactionCompleted", ".", "release", "(", ")", ";", "break", ";", "default", ":", "logger", ".", "warn", "(", "String", ".", "format", "(", "\"TODO: Implement Application Update Request Handling of %s (0x%02X).\"", ",", "updateState", ".", "getLabel", "(", ")", ",", "updateState", ".", "getKey", "(", ")", ")", ")", ";", "}", "}" ]
Handles incoming Application Update Request. @param incomingMessage the request message to process.
[ "Handles", "incoming", "Application", "Update", "Request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L354-L412
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleGetVersionResponse
private void handleGetVersionResponse(SerialMessage incomingMessage) { this.ZWaveLibraryType = incomingMessage.getMessagePayloadByte(12); this.zWaveVersion = new String(ArrayUtils.subarray(incomingMessage.getMessagePayload(), 0, 11)); logger.debug(String.format("Got MessageGetVersion response. Version = %s, Library Type = 0x%02X", zWaveVersion, ZWaveLibraryType)); }
java
private void handleGetVersionResponse(SerialMessage incomingMessage) { this.ZWaveLibraryType = incomingMessage.getMessagePayloadByte(12); this.zWaveVersion = new String(ArrayUtils.subarray(incomingMessage.getMessagePayload(), 0, 11)); logger.debug(String.format("Got MessageGetVersion response. Version = %s, Library Type = 0x%02X", zWaveVersion, ZWaveLibraryType)); }
[ "private", "void", "handleGetVersionResponse", "(", "SerialMessage", "incomingMessage", ")", "{", "this", ".", "ZWaveLibraryType", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "12", ")", ";", "this", ".", "zWaveVersion", "=", "new", "String", "(", "ArrayUtils", ".", "subarray", "(", "incomingMessage", ".", "getMessagePayload", "(", ")", ",", "0", ",", "11", ")", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Got MessageGetVersion response. Version = %s, Library Type = 0x%02X\"", ",", "zWaveVersion", ",", "ZWaveLibraryType", ")", ")", ";", "}" ]
Handles the response of the getVersion request. @param incomingMessage the response message to process.
[ "Handles", "the", "response", "of", "the", "getVersion", "request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L480-L484
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleSerialApiGetInitDataResponse
private void handleSerialApiGetInitDataResponse( SerialMessage incomingMessage) { logger.debug(String.format("Got MessageSerialApiGetInitData response.")); this.isConnected = true; int nodeBytes = incomingMessage.getMessagePayloadByte(2); if (nodeBytes != NODE_BYTES) { logger.error("Invalid number of node bytes = {}", nodeBytes); return; } int nodeId = 1; // loop bytes for (int i = 3;i < 3 + nodeBytes;i++) { int incomingByte = incomingMessage.getMessagePayloadByte(i); // loop bits in byte for (int j=0;j<8;j++) { int b1 = incomingByte & (int)Math.pow(2.0D, j); int b2 = (int)Math.pow(2.0D, j); if (b1 == b2) { logger.info(String.format("Found node id = %d", nodeId)); // Place nodes in the local ZWave Controller this.zwaveNodes.put(nodeId, new ZWaveNode(this.homeId, nodeId, this)); this.getNode(nodeId).advanceNodeStage(); } nodeId++; } } logger.info("------------Number of Nodes Found Registered to ZWave Controller------------"); logger.info(String.format("# Nodes = %d", this.zwaveNodes.size())); logger.info("----------------------------------------------------------------------------"); // Advance node stage for the first node. }
java
private void handleSerialApiGetInitDataResponse( SerialMessage incomingMessage) { logger.debug(String.format("Got MessageSerialApiGetInitData response.")); this.isConnected = true; int nodeBytes = incomingMessage.getMessagePayloadByte(2); if (nodeBytes != NODE_BYTES) { logger.error("Invalid number of node bytes = {}", nodeBytes); return; } int nodeId = 1; // loop bytes for (int i = 3;i < 3 + nodeBytes;i++) { int incomingByte = incomingMessage.getMessagePayloadByte(i); // loop bits in byte for (int j=0;j<8;j++) { int b1 = incomingByte & (int)Math.pow(2.0D, j); int b2 = (int)Math.pow(2.0D, j); if (b1 == b2) { logger.info(String.format("Found node id = %d", nodeId)); // Place nodes in the local ZWave Controller this.zwaveNodes.put(nodeId, new ZWaveNode(this.homeId, nodeId, this)); this.getNode(nodeId).advanceNodeStage(); } nodeId++; } } logger.info("------------Number of Nodes Found Registered to ZWave Controller------------"); logger.info(String.format("# Nodes = %d", this.zwaveNodes.size())); logger.info("----------------------------------------------------------------------------"); // Advance node stage for the first node. }
[ "private", "void", "handleSerialApiGetInitDataResponse", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Got MessageSerialApiGetInitData response.\"", ")", ")", ";", "this", ".", "isConnected", "=", "true", ";", "int", "nodeBytes", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "2", ")", ";", "if", "(", "nodeBytes", "!=", "NODE_BYTES", ")", "{", "logger", ".", "error", "(", "\"Invalid number of node bytes = {}\"", ",", "nodeBytes", ")", ";", "return", ";", "}", "int", "nodeId", "=", "1", ";", "// loop bytes", "for", "(", "int", "i", "=", "3", ";", "i", "<", "3", "+", "nodeBytes", ";", "i", "++", ")", "{", "int", "incomingByte", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "i", ")", ";", "// loop bits in byte", "for", "(", "int", "j", "=", "0", ";", "j", "<", "8", ";", "j", "++", ")", "{", "int", "b1", "=", "incomingByte", "&", "(", "int", ")", "Math", ".", "pow", "(", "2.0D", ",", "j", ")", ";", "int", "b2", "=", "(", "int", ")", "Math", ".", "pow", "(", "2.0D", ",", "j", ")", ";", "if", "(", "b1", "==", "b2", ")", "{", "logger", ".", "info", "(", "String", ".", "format", "(", "\"Found node id = %d\"", ",", "nodeId", ")", ")", ";", "// Place nodes in the local ZWave Controller ", "this", ".", "zwaveNodes", ".", "put", "(", "nodeId", ",", "new", "ZWaveNode", "(", "this", ".", "homeId", ",", "nodeId", ",", "this", ")", ")", ";", "this", ".", "getNode", "(", "nodeId", ")", ".", "advanceNodeStage", "(", ")", ";", "}", "nodeId", "++", ";", "}", "}", "logger", ".", "info", "(", "\"------------Number of Nodes Found Registered to ZWave Controller------------\"", ")", ";", "logger", ".", "info", "(", "String", ".", "format", "(", "\"# Nodes = %d\"", ",", "this", ".", "zwaveNodes", ".", "size", "(", ")", ")", ")", ";", "logger", ".", "info", "(", "\"----------------------------------------------------------------------------\"", ")", ";", "// Advance node stage for the first node.", "}" ]
Handles the response of the SerialApiGetInitData request. @param incomingMlivessage the response message to process.
[ "Handles", "the", "response", "of", "the", "SerialApiGetInitData", "request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L490-L525
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleMemoryGetId
private void handleMemoryGetId(SerialMessage incomingMessage) { this.homeId = ((incomingMessage.getMessagePayloadByte(0)) << 24) | ((incomingMessage.getMessagePayloadByte(1)) << 16) | ((incomingMessage.getMessagePayloadByte(2)) << 8) | (incomingMessage.getMessagePayloadByte(3)); this.ownNodeId = incomingMessage.getMessagePayloadByte(4); logger.debug(String.format("Got MessageMemoryGetId response. Home id = 0x%08X, Controller Node id = %d", this.homeId, this.ownNodeId)); }
java
private void handleMemoryGetId(SerialMessage incomingMessage) { this.homeId = ((incomingMessage.getMessagePayloadByte(0)) << 24) | ((incomingMessage.getMessagePayloadByte(1)) << 16) | ((incomingMessage.getMessagePayloadByte(2)) << 8) | (incomingMessage.getMessagePayloadByte(3)); this.ownNodeId = incomingMessage.getMessagePayloadByte(4); logger.debug(String.format("Got MessageMemoryGetId response. Home id = 0x%08X, Controller Node id = %d", this.homeId, this.ownNodeId)); }
[ "private", "void", "handleMemoryGetId", "(", "SerialMessage", "incomingMessage", ")", "{", "this", ".", "homeId", "=", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "0", ")", ")", "<<", "24", ")", "|", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "1", ")", ")", "<<", "16", ")", "|", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "2", ")", ")", "<<", "8", ")", "|", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "3", ")", ")", ";", "this", ".", "ownNodeId", "=", "incomingMessage", ".", "getMessagePayloadByte", "(", "4", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Got MessageMemoryGetId response. Home id = 0x%08X, Controller Node id = %d\"", ",", "this", ".", "homeId", ",", "this", ".", "ownNodeId", ")", ")", ";", "}" ]
Handles the response of the MemoryGetId request. The MemoryGetId function gets the home and node id from the controller memory. @param incomingMessage the response message to process.
[ "Handles", "the", "response", "of", "the", "MemoryGetId", "request", ".", "The", "MemoryGetId", "function", "gets", "the", "home", "and", "node", "id", "from", "the", "controller", "memory", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L532-L539
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleSerialAPIGetCapabilitiesResponse
private void handleSerialAPIGetCapabilitiesResponse(SerialMessage incomingMessage) { logger.trace("Handle Message Serial API Get Capabilities"); this.serialAPIVersion = String.format("%d.%d", incomingMessage.getMessagePayloadByte(0), incomingMessage.getMessagePayloadByte(1)); this.manufactureId = ((incomingMessage.getMessagePayloadByte(2)) << 8) | (incomingMessage.getMessagePayloadByte(3)); this.deviceType = ((incomingMessage.getMessagePayloadByte(4)) << 8) | (incomingMessage.getMessagePayloadByte(5)); this.deviceId = (((incomingMessage.getMessagePayloadByte(6)) << 8) | (incomingMessage.getMessagePayloadByte(7))); logger.debug(String.format("API Version = %s", this.getSerialAPIVersion())); logger.debug(String.format("Manufacture ID = 0x%x", this.getManufactureId())); logger.debug(String.format("Device Type = 0x%x", this.getDeviceType())); logger.debug(String.format("Device ID = 0x%x", this.getDeviceId())); // Ready to get information on Serial API this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.SerialApiGetInitData, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SerialApiGetInitData, SerialMessage.SerialMessagePriority.High)); }
java
private void handleSerialAPIGetCapabilitiesResponse(SerialMessage incomingMessage) { logger.trace("Handle Message Serial API Get Capabilities"); this.serialAPIVersion = String.format("%d.%d", incomingMessage.getMessagePayloadByte(0), incomingMessage.getMessagePayloadByte(1)); this.manufactureId = ((incomingMessage.getMessagePayloadByte(2)) << 8) | (incomingMessage.getMessagePayloadByte(3)); this.deviceType = ((incomingMessage.getMessagePayloadByte(4)) << 8) | (incomingMessage.getMessagePayloadByte(5)); this.deviceId = (((incomingMessage.getMessagePayloadByte(6)) << 8) | (incomingMessage.getMessagePayloadByte(7))); logger.debug(String.format("API Version = %s", this.getSerialAPIVersion())); logger.debug(String.format("Manufacture ID = 0x%x", this.getManufactureId())); logger.debug(String.format("Device Type = 0x%x", this.getDeviceType())); logger.debug(String.format("Device ID = 0x%x", this.getDeviceId())); // Ready to get information on Serial API this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.SerialApiGetInitData, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SerialApiGetInitData, SerialMessage.SerialMessagePriority.High)); }
[ "private", "void", "handleSerialAPIGetCapabilitiesResponse", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle Message Serial API Get Capabilities\"", ")", ";", "this", ".", "serialAPIVersion", "=", "String", ".", "format", "(", "\"%d.%d\"", ",", "incomingMessage", ".", "getMessagePayloadByte", "(", "0", ")", ",", "incomingMessage", ".", "getMessagePayloadByte", "(", "1", ")", ")", ";", "this", ".", "manufactureId", "=", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "2", ")", ")", "<<", "8", ")", "|", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "3", ")", ")", ";", "this", ".", "deviceType", "=", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "4", ")", ")", "<<", "8", ")", "|", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "5", ")", ")", ";", "this", ".", "deviceId", "=", "(", "(", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "6", ")", ")", "<<", "8", ")", "|", "(", "incomingMessage", ".", "getMessagePayloadByte", "(", "7", ")", ")", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"API Version = %s\"", ",", "this", ".", "getSerialAPIVersion", "(", ")", ")", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Manufacture ID = 0x%x\"", ",", "this", ".", "getManufactureId", "(", ")", ")", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Device Type = 0x%x\"", ",", "this", ".", "getDeviceType", "(", ")", ")", ")", ";", "logger", ".", "debug", "(", "String", ".", "format", "(", "\"Device ID = 0x%x\"", ",", "this", ".", "getDeviceId", "(", ")", ")", ")", ";", "// Ready to get information on Serial API\t\t", "this", ".", "enqueue", "(", "new", "SerialMessage", "(", "SerialMessage", ".", "SerialMessageClass", ".", "SerialApiGetInitData", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "SerialApiGetInitData", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ")", ";", "}" ]
Handles the response of the SerialAPIGetCapabilities request. @param incomingMessage the response message to process.
[ "Handles", "the", "response", "of", "the", "SerialAPIGetCapabilities", "request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L615-L630
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleSendDataResponse
private void handleSendDataResponse(SerialMessage incomingMessage) { logger.trace("Handle Message Send Data Response"); if(incomingMessage.getMessageBuffer()[2] != 0x00) logger.debug("Sent Data successfully placed on stack."); else logger.error("Sent Data was not placed on stack due to error."); }
java
private void handleSendDataResponse(SerialMessage incomingMessage) { logger.trace("Handle Message Send Data Response"); if(incomingMessage.getMessageBuffer()[2] != 0x00) logger.debug("Sent Data successfully placed on stack."); else logger.error("Sent Data was not placed on stack due to error."); }
[ "private", "void", "handleSendDataResponse", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle Message Send Data Response\"", ")", ";", "if", "(", "incomingMessage", ".", "getMessageBuffer", "(", ")", "[", "2", "]", "!=", "0x00", ")", "logger", ".", "debug", "(", "\"Sent Data successfully placed on stack.\"", ")", ";", "else", "logger", ".", "error", "(", "\"Sent Data was not placed on stack due to error.\"", ")", ";", "}" ]
Handles the response of the SendData request. @param incomingMessage the response message to process.
[ "Handles", "the", "response", "of", "the", "SendData", "request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L636-L642
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.handleRequestNodeInfoResponse
private void handleRequestNodeInfoResponse(SerialMessage incomingMessage) { logger.trace("Handle RequestNodeInfo Response"); if(incomingMessage.getMessageBuffer()[2] != 0x00) logger.debug("Request node info successfully placed on stack."); else logger.error("Request node info not placed on stack due to error."); }
java
private void handleRequestNodeInfoResponse(SerialMessage incomingMessage) { logger.trace("Handle RequestNodeInfo Response"); if(incomingMessage.getMessageBuffer()[2] != 0x00) logger.debug("Request node info successfully placed on stack."); else logger.error("Request node info not placed on stack due to error."); }
[ "private", "void", "handleRequestNodeInfoResponse", "(", "SerialMessage", "incomingMessage", ")", "{", "logger", ".", "trace", "(", "\"Handle RequestNodeInfo Response\"", ")", ";", "if", "(", "incomingMessage", ".", "getMessageBuffer", "(", ")", "[", "2", "]", "!=", "0x00", ")", "logger", ".", "debug", "(", "\"Request node info successfully placed on stack.\"", ")", ";", "else", "logger", ".", "error", "(", "\"Request node info not placed on stack due to error.\"", ")", ";", "}" ]
Handles the response of the Request node request. @param incomingMessage the response message to process.
[ "Handles", "the", "response", "of", "the", "Request", "node", "request", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L648-L654
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.connect
public void connect(final String serialPortName) throws SerialInterfaceException { logger.info("Connecting to serial port {}", serialPortName); try { CommPortIdentifier portIdentifier = CommPortIdentifier.getPortIdentifier(serialPortName); CommPort commPort = portIdentifier.open("org.openhab.binding.zwave",2000); this.serialPort = (SerialPort) commPort; this.serialPort.setSerialPortParams(115200,SerialPort.DATABITS_8,SerialPort.STOPBITS_1,SerialPort.PARITY_NONE); this.serialPort.enableReceiveThreshold(1); this.serialPort.enableReceiveTimeout(ZWAVE_RECEIVE_TIMEOUT); this.receiveThread = new ZWaveReceiveThread(); this.receiveThread.start(); this.sendThread = new ZWaveSendThread(); this.sendThread.start(); logger.info("Serial port is initialized"); } catch (NoSuchPortException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } catch (PortInUseException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } catch (UnsupportedCommOperationException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } }
java
public void connect(final String serialPortName) throws SerialInterfaceException { logger.info("Connecting to serial port {}", serialPortName); try { CommPortIdentifier portIdentifier = CommPortIdentifier.getPortIdentifier(serialPortName); CommPort commPort = portIdentifier.open("org.openhab.binding.zwave",2000); this.serialPort = (SerialPort) commPort; this.serialPort.setSerialPortParams(115200,SerialPort.DATABITS_8,SerialPort.STOPBITS_1,SerialPort.PARITY_NONE); this.serialPort.enableReceiveThreshold(1); this.serialPort.enableReceiveTimeout(ZWAVE_RECEIVE_TIMEOUT); this.receiveThread = new ZWaveReceiveThread(); this.receiveThread.start(); this.sendThread = new ZWaveSendThread(); this.sendThread.start(); logger.info("Serial port is initialized"); } catch (NoSuchPortException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } catch (PortInUseException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } catch (UnsupportedCommOperationException e) { logger.error(e.getLocalizedMessage()); throw new SerialInterfaceException(e.getLocalizedMessage(), e); } }
[ "public", "void", "connect", "(", "final", "String", "serialPortName", ")", "throws", "SerialInterfaceException", "{", "logger", ".", "info", "(", "\"Connecting to serial port {}\"", ",", "serialPortName", ")", ";", "try", "{", "CommPortIdentifier", "portIdentifier", "=", "CommPortIdentifier", ".", "getPortIdentifier", "(", "serialPortName", ")", ";", "CommPort", "commPort", "=", "portIdentifier", ".", "open", "(", "\"org.openhab.binding.zwave\"", ",", "2000", ")", ";", "this", ".", "serialPort", "=", "(", "SerialPort", ")", "commPort", ";", "this", ".", "serialPort", ".", "setSerialPortParams", "(", "115200", ",", "SerialPort", ".", "DATABITS_8", ",", "SerialPort", ".", "STOPBITS_1", ",", "SerialPort", ".", "PARITY_NONE", ")", ";", "this", ".", "serialPort", ".", "enableReceiveThreshold", "(", "1", ")", ";", "this", ".", "serialPort", ".", "enableReceiveTimeout", "(", "ZWAVE_RECEIVE_TIMEOUT", ")", ";", "this", ".", "receiveThread", "=", "new", "ZWaveReceiveThread", "(", ")", ";", "this", ".", "receiveThread", ".", "start", "(", ")", ";", "this", ".", "sendThread", "=", "new", "ZWaveSendThread", "(", ")", ";", "this", ".", "sendThread", ".", "start", "(", ")", ";", "logger", ".", "info", "(", "\"Serial port is initialized\"", ")", ";", "}", "catch", "(", "NoSuchPortException", "e", ")", "{", "logger", ".", "error", "(", "e", ".", "getLocalizedMessage", "(", ")", ")", ";", "throw", "new", "SerialInterfaceException", "(", "e", ".", "getLocalizedMessage", "(", ")", ",", "e", ")", ";", "}", "catch", "(", "PortInUseException", "e", ")", "{", "logger", ".", "error", "(", "e", ".", "getLocalizedMessage", "(", ")", ")", ";", "throw", "new", "SerialInterfaceException", "(", "e", ".", "getLocalizedMessage", "(", ")", ",", "e", ")", ";", "}", "catch", "(", "UnsupportedCommOperationException", "e", ")", "{", "logger", ".", "error", "(", "e", ".", "getLocalizedMessage", "(", ")", ")", ";", "throw", "new", "SerialInterfaceException", "(", "e", ".", "getLocalizedMessage", "(", ")", ",", "e", ")", ";", "}", "}" ]
Connects to the comm port and starts send and receive threads. @param serialPortName the port name to open @throws SerialInterfaceException when a connection error occurs.
[ "Connects", "to", "the", "comm", "port", "and", "starts", "send", "and", "receive", "threads", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L663-L689
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.close
public void close() { if (watchdog != null) { watchdog.cancel(); watchdog = null; } disconnect(); // clear nodes collection and send queue for (Object listener : this.zwaveEventListeners.toArray()) { if (!(listener instanceof ZWaveNode)) continue; this.zwaveEventListeners.remove(listener); } this.zwaveNodes.clear(); this.sendQueue.clear(); logger.info("Stopped Z-Wave controller"); }
java
public void close() { if (watchdog != null) { watchdog.cancel(); watchdog = null; } disconnect(); // clear nodes collection and send queue for (Object listener : this.zwaveEventListeners.toArray()) { if (!(listener instanceof ZWaveNode)) continue; this.zwaveEventListeners.remove(listener); } this.zwaveNodes.clear(); this.sendQueue.clear(); logger.info("Stopped Z-Wave controller"); }
[ "public", "void", "close", "(", ")", "{", "if", "(", "watchdog", "!=", "null", ")", "{", "watchdog", ".", "cancel", "(", ")", ";", "watchdog", "=", "null", ";", "}", "disconnect", "(", ")", ";", "// clear nodes collection and send queue", "for", "(", "Object", "listener", ":", "this", ".", "zwaveEventListeners", ".", "toArray", "(", ")", ")", "{", "if", "(", "!", "(", "listener", "instanceof", "ZWaveNode", ")", ")", "continue", ";", "this", ".", "zwaveEventListeners", ".", "remove", "(", "listener", ")", ";", "}", "this", ".", "zwaveNodes", ".", "clear", "(", ")", ";", "this", ".", "sendQueue", ".", "clear", "(", ")", ";", "logger", ".", "info", "(", "\"Stopped Z-Wave controller\"", ")", ";", "}" ]
Closes the connection to the Z-Wave controller.
[ "Closes", "the", "connection", "to", "the", "Z", "-", "Wave", "controller", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L694-L714
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.disconnect
public void disconnect() { if (sendThread != null) { sendThread.interrupt(); try { sendThread.join(); } catch (InterruptedException e) { } sendThread = null; } if (receiveThread != null) { receiveThread.interrupt(); try { receiveThread.join(); } catch (InterruptedException e) { } receiveThread = null; } if(transactionCompleted.availablePermits() < 0) transactionCompleted.release(transactionCompleted.availablePermits()); transactionCompleted.drainPermits(); logger.trace("Transaction completed permit count -> {}", transactionCompleted.availablePermits()); if (this.serialPort != null) { this.serialPort.close(); this.serialPort = null; } logger.info("Disconnected from serial port"); }
java
public void disconnect() { if (sendThread != null) { sendThread.interrupt(); try { sendThread.join(); } catch (InterruptedException e) { } sendThread = null; } if (receiveThread != null) { receiveThread.interrupt(); try { receiveThread.join(); } catch (InterruptedException e) { } receiveThread = null; } if(transactionCompleted.availablePermits() < 0) transactionCompleted.release(transactionCompleted.availablePermits()); transactionCompleted.drainPermits(); logger.trace("Transaction completed permit count -> {}", transactionCompleted.availablePermits()); if (this.serialPort != null) { this.serialPort.close(); this.serialPort = null; } logger.info("Disconnected from serial port"); }
[ "public", "void", "disconnect", "(", ")", "{", "if", "(", "sendThread", "!=", "null", ")", "{", "sendThread", ".", "interrupt", "(", ")", ";", "try", "{", "sendThread", ".", "join", "(", ")", ";", "}", "catch", "(", "InterruptedException", "e", ")", "{", "}", "sendThread", "=", "null", ";", "}", "if", "(", "receiveThread", "!=", "null", ")", "{", "receiveThread", ".", "interrupt", "(", ")", ";", "try", "{", "receiveThread", ".", "join", "(", ")", ";", "}", "catch", "(", "InterruptedException", "e", ")", "{", "}", "receiveThread", "=", "null", ";", "}", "if", "(", "transactionCompleted", ".", "availablePermits", "(", ")", "<", "0", ")", "transactionCompleted", ".", "release", "(", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "transactionCompleted", ".", "drainPermits", "(", ")", ";", "logger", ".", "trace", "(", "\"Transaction completed permit count -> {}\"", ",", "transactionCompleted", ".", "availablePermits", "(", ")", ")", ";", "if", "(", "this", ".", "serialPort", "!=", "null", ")", "{", "this", ".", "serialPort", ".", "close", "(", ")", ";", "this", ".", "serialPort", "=", "null", ";", "}", "logger", ".", "info", "(", "\"Disconnected from serial port\"", ")", ";", "}" ]
Disconnects from the serial interface and stops send and receive threads.
[ "Disconnects", "from", "the", "serial", "interface", "and", "stops", "send", "and", "receive", "threads", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L720-L747
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.enqueue
public void enqueue(SerialMessage serialMessage) { this.sendQueue.add(serialMessage); logger.debug("Enqueueing message. Queue length = {}", this.sendQueue.size()); }
java
public void enqueue(SerialMessage serialMessage) { this.sendQueue.add(serialMessage); logger.debug("Enqueueing message. Queue length = {}", this.sendQueue.size()); }
[ "public", "void", "enqueue", "(", "SerialMessage", "serialMessage", ")", "{", "this", ".", "sendQueue", ".", "add", "(", "serialMessage", ")", ";", "logger", ".", "debug", "(", "\"Enqueueing message. Queue length = {}\"", ",", "this", ".", "sendQueue", ".", "size", "(", ")", ")", ";", "}" ]
Enqueues a message for sending on the send thread. @param serialMessage the serial message to enqueue.
[ "Enqueues", "a", "message", "for", "sending", "on", "the", "send", "thread", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L753-L756
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.notifyEventListeners
public void notifyEventListeners(ZWaveEvent event) { logger.debug("Notifying event listeners"); for (ZWaveEventListener listener : this.zwaveEventListeners) { logger.trace("Notifying {}", listener.toString()); listener.ZWaveIncomingEvent(event); } }
java
public void notifyEventListeners(ZWaveEvent event) { logger.debug("Notifying event listeners"); for (ZWaveEventListener listener : this.zwaveEventListeners) { logger.trace("Notifying {}", listener.toString()); listener.ZWaveIncomingEvent(event); } }
[ "public", "void", "notifyEventListeners", "(", "ZWaveEvent", "event", ")", "{", "logger", ".", "debug", "(", "\"Notifying event listeners\"", ")", ";", "for", "(", "ZWaveEventListener", "listener", ":", "this", ".", "zwaveEventListeners", ")", "{", "logger", ".", "trace", "(", "\"Notifying {}\"", ",", "listener", ".", "toString", "(", ")", ")", ";", "listener", ".", "ZWaveIncomingEvent", "(", "event", ")", ";", "}", "}" ]
Notify our own event listeners of a Z-Wave event. @param event the event to send.
[ "Notify", "our", "own", "event", "listeners", "of", "a", "Z", "-", "Wave", "event", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L762-L768
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.initialize
public void initialize() { this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.GetVersion, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.GetVersion, SerialMessage.SerialMessagePriority.High)); this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.MemoryGetId, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.MemoryGetId, SerialMessage.SerialMessagePriority.High)); this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.SerialApiGetCapabilities, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SerialApiGetCapabilities, SerialMessage.SerialMessagePriority.High)); }
java
public void initialize() { this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.GetVersion, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.GetVersion, SerialMessage.SerialMessagePriority.High)); this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.MemoryGetId, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.MemoryGetId, SerialMessage.SerialMessagePriority.High)); this.enqueue(new SerialMessage(SerialMessage.SerialMessageClass.SerialApiGetCapabilities, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SerialApiGetCapabilities, SerialMessage.SerialMessagePriority.High)); }
[ "public", "void", "initialize", "(", ")", "{", "this", ".", "enqueue", "(", "new", "SerialMessage", "(", "SerialMessage", ".", "SerialMessageClass", ".", "GetVersion", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "GetVersion", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ")", ";", "this", ".", "enqueue", "(", "new", "SerialMessage", "(", "SerialMessage", ".", "SerialMessageClass", ".", "MemoryGetId", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "MemoryGetId", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ")", ";", "this", ".", "enqueue", "(", "new", "SerialMessage", "(", "SerialMessage", ".", "SerialMessageClass", ".", "SerialApiGetCapabilities", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "SerialApiGetCapabilities", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ")", ";", "}" ]
Initializes communication with the Z-Wave controller stick.
[ "Initializes", "communication", "with", "the", "Z", "-", "Wave", "controller", "stick", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L773-L777
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.identifyNode
public void identifyNode(int nodeId) throws SerialInterfaceException { SerialMessage newMessage = new SerialMessage(nodeId, SerialMessage.SerialMessageClass.IdentifyNode, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.IdentifyNode, SerialMessage.SerialMessagePriority.High); byte[] newPayload = { (byte) nodeId }; newMessage.setMessagePayload(newPayload); this.enqueue(newMessage); }
java
public void identifyNode(int nodeId) throws SerialInterfaceException { SerialMessage newMessage = new SerialMessage(nodeId, SerialMessage.SerialMessageClass.IdentifyNode, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.IdentifyNode, SerialMessage.SerialMessagePriority.High); byte[] newPayload = { (byte) nodeId }; newMessage.setMessagePayload(newPayload); this.enqueue(newMessage); }
[ "public", "void", "identifyNode", "(", "int", "nodeId", ")", "throws", "SerialInterfaceException", "{", "SerialMessage", "newMessage", "=", "new", "SerialMessage", "(", "nodeId", ",", "SerialMessage", ".", "SerialMessageClass", ".", "IdentifyNode", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "IdentifyNode", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ";", "byte", "[", "]", "newPayload", "=", "{", "(", "byte", ")", "nodeId", "}", ";", "newMessage", ".", "setMessagePayload", "(", "newPayload", ")", ";", "this", ".", "enqueue", "(", "newMessage", ")", ";", "}" ]
Send Identify Node message to the controller. @param nodeId the nodeId of the node to identify @throws SerialInterfaceException when timing out or getting an invalid response.
[ "Send", "Identify", "Node", "message", "to", "the", "controller", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L784-L789
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.requestNodeInfo
public void requestNodeInfo(int nodeId) { SerialMessage newMessage = new SerialMessage(nodeId, SerialMessage.SerialMessageClass.RequestNodeInfo, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.ApplicationUpdate, SerialMessage.SerialMessagePriority.High); byte[] newPayload = { (byte) nodeId }; newMessage.setMessagePayload(newPayload); this.enqueue(newMessage); }
java
public void requestNodeInfo(int nodeId) { SerialMessage newMessage = new SerialMessage(nodeId, SerialMessage.SerialMessageClass.RequestNodeInfo, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.ApplicationUpdate, SerialMessage.SerialMessagePriority.High); byte[] newPayload = { (byte) nodeId }; newMessage.setMessagePayload(newPayload); this.enqueue(newMessage); }
[ "public", "void", "requestNodeInfo", "(", "int", "nodeId", ")", "{", "SerialMessage", "newMessage", "=", "new", "SerialMessage", "(", "nodeId", ",", "SerialMessage", ".", "SerialMessageClass", ".", "RequestNodeInfo", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "ApplicationUpdate", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "High", ")", ";", "byte", "[", "]", "newPayload", "=", "{", "(", "byte", ")", "nodeId", "}", ";", "newMessage", ".", "setMessagePayload", "(", "newPayload", ")", ";", "this", ".", "enqueue", "(", "newMessage", ")", ";", "}" ]
Send Request Node info message to the controller. @param nodeId the nodeId of the node to identify @throws SerialInterfaceException when timing out or getting an invalid response.
[ "Send", "Request", "Node", "info", "message", "to", "the", "controller", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L796-L801
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.sendData
public void sendData(SerialMessage serialMessage) { if (serialMessage.getMessageClass() != SerialMessage.SerialMessageClass.SendData) { logger.error(String.format("Invalid message class %s (0x%02X) for sendData", serialMessage.getMessageClass().getLabel(), serialMessage.getMessageClass().getKey())); return; } if (serialMessage.getMessageType() != SerialMessage.SerialMessageType.Request) { logger.error("Only request messages can be sent"); return; } ZWaveNode node = this.getNode(serialMessage.getMessageNode()); if (node.getNodeStage() == NodeStage.NODEBUILDINFO_DEAD) { logger.debug("Node {} is dead, not sending message.", node.getNodeId()); return; } if (!node.isListening() && serialMessage.getPriority() != SerialMessage.SerialMessagePriority.Low) { ZWaveWakeUpCommandClass wakeUpCommandClass = (ZWaveWakeUpCommandClass)node.getCommandClass(ZWaveCommandClass.CommandClass.WAKE_UP); if (wakeUpCommandClass != null && !wakeUpCommandClass.isAwake()) { wakeUpCommandClass.putInWakeUpQueue(serialMessage); //it's a battery operated device, place in wake-up queue. return; } } serialMessage.setTransmitOptions(TRANSMIT_OPTION_ACK | TRANSMIT_OPTION_AUTO_ROUTE | TRANSMIT_OPTION_EXPLORE); if (++sentDataPointer > 0xFF) sentDataPointer = 1; serialMessage.setCallbackId(sentDataPointer); logger.debug("Callback ID = {}", sentDataPointer); this.enqueue(serialMessage); }
java
public void sendData(SerialMessage serialMessage) { if (serialMessage.getMessageClass() != SerialMessage.SerialMessageClass.SendData) { logger.error(String.format("Invalid message class %s (0x%02X) for sendData", serialMessage.getMessageClass().getLabel(), serialMessage.getMessageClass().getKey())); return; } if (serialMessage.getMessageType() != SerialMessage.SerialMessageType.Request) { logger.error("Only request messages can be sent"); return; } ZWaveNode node = this.getNode(serialMessage.getMessageNode()); if (node.getNodeStage() == NodeStage.NODEBUILDINFO_DEAD) { logger.debug("Node {} is dead, not sending message.", node.getNodeId()); return; } if (!node.isListening() && serialMessage.getPriority() != SerialMessage.SerialMessagePriority.Low) { ZWaveWakeUpCommandClass wakeUpCommandClass = (ZWaveWakeUpCommandClass)node.getCommandClass(ZWaveCommandClass.CommandClass.WAKE_UP); if (wakeUpCommandClass != null && !wakeUpCommandClass.isAwake()) { wakeUpCommandClass.putInWakeUpQueue(serialMessage); //it's a battery operated device, place in wake-up queue. return; } } serialMessage.setTransmitOptions(TRANSMIT_OPTION_ACK | TRANSMIT_OPTION_AUTO_ROUTE | TRANSMIT_OPTION_EXPLORE); if (++sentDataPointer > 0xFF) sentDataPointer = 1; serialMessage.setCallbackId(sentDataPointer); logger.debug("Callback ID = {}", sentDataPointer); this.enqueue(serialMessage); }
[ "public", "void", "sendData", "(", "SerialMessage", "serialMessage", ")", "{", "if", "(", "serialMessage", ".", "getMessageClass", "(", ")", "!=", "SerialMessage", ".", "SerialMessageClass", ".", "SendData", ")", "{", "logger", ".", "error", "(", "String", ".", "format", "(", "\"Invalid message class %s (0x%02X) for sendData\"", ",", "serialMessage", ".", "getMessageClass", "(", ")", ".", "getLabel", "(", ")", ",", "serialMessage", ".", "getMessageClass", "(", ")", ".", "getKey", "(", ")", ")", ")", ";", "return", ";", "}", "if", "(", "serialMessage", ".", "getMessageType", "(", ")", "!=", "SerialMessage", ".", "SerialMessageType", ".", "Request", ")", "{", "logger", ".", "error", "(", "\"Only request messages can be sent\"", ")", ";", "return", ";", "}", "ZWaveNode", "node", "=", "this", ".", "getNode", "(", "serialMessage", ".", "getMessageNode", "(", ")", ")", ";", "if", "(", "node", ".", "getNodeStage", "(", ")", "==", "NodeStage", ".", "NODEBUILDINFO_DEAD", ")", "{", "logger", ".", "debug", "(", "\"Node {} is dead, not sending message.\"", ",", "node", ".", "getNodeId", "(", ")", ")", ";", "return", ";", "}", "if", "(", "!", "node", ".", "isListening", "(", ")", "&&", "serialMessage", ".", "getPriority", "(", ")", "!=", "SerialMessage", ".", "SerialMessagePriority", ".", "Low", ")", "{", "ZWaveWakeUpCommandClass", "wakeUpCommandClass", "=", "(", "ZWaveWakeUpCommandClass", ")", "node", ".", "getCommandClass", "(", "ZWaveCommandClass", ".", "CommandClass", ".", "WAKE_UP", ")", ";", "if", "(", "wakeUpCommandClass", "!=", "null", "&&", "!", "wakeUpCommandClass", ".", "isAwake", "(", ")", ")", "{", "wakeUpCommandClass", ".", "putInWakeUpQueue", "(", "serialMessage", ")", ";", "//it's a battery operated device, place in wake-up queue.", "return", ";", "}", "}", "serialMessage", ".", "setTransmitOptions", "(", "TRANSMIT_OPTION_ACK", "|", "TRANSMIT_OPTION_AUTO_ROUTE", "|", "TRANSMIT_OPTION_EXPLORE", ")", ";", "if", "(", "++", "sentDataPointer", ">", "0xFF", ")", "sentDataPointer", "=", "1", ";", "serialMessage", ".", "setCallbackId", "(", "sentDataPointer", ")", ";", "logger", ".", "debug", "(", "\"Callback ID = {}\"", ",", "sentDataPointer", ")", ";", "this", ".", "enqueue", "(", "serialMessage", ")", ";", "}" ]
Transmits the SerialMessage to a single Z-Wave Node. Sets the transmission options as well. @param serialMessage the Serial message to send.
[ "Transmits", "the", "SerialMessage", "to", "a", "single", "Z", "-", "Wave", "Node", ".", "Sets", "the", "transmission", "options", "as", "well", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L959-L992
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java
ZWaveController.sendValue
public void sendValue(int nodeId, int endpoint, int value) { ZWaveNode node = this.getNode(nodeId); ZWaveSetCommands zwaveCommandClass = null; SerialMessage serialMessage = null; for (ZWaveCommandClass.CommandClass commandClass : new ZWaveCommandClass.CommandClass[] { ZWaveCommandClass.CommandClass.SWITCH_MULTILEVEL, ZWaveCommandClass.CommandClass.SWITCH_BINARY, ZWaveCommandClass.CommandClass.BASIC }) { zwaveCommandClass = (ZWaveSetCommands)node.resolveCommandClass(commandClass, endpoint); if (zwaveCommandClass != null) break; } if (zwaveCommandClass == null) { logger.error("No Command Class found on node {}, instance/endpoint {} to request level.", nodeId, endpoint); return; } serialMessage = node.encapsulate(zwaveCommandClass.setValueMessage(value), (ZWaveCommandClass)zwaveCommandClass, endpoint); if (serialMessage != null) this.sendData(serialMessage); // read back level on "ON" command if (((ZWaveCommandClass)zwaveCommandClass).getCommandClass() == ZWaveCommandClass.CommandClass.SWITCH_MULTILEVEL && value == 255) this.requestValue(nodeId, endpoint); }
java
public void sendValue(int nodeId, int endpoint, int value) { ZWaveNode node = this.getNode(nodeId); ZWaveSetCommands zwaveCommandClass = null; SerialMessage serialMessage = null; for (ZWaveCommandClass.CommandClass commandClass : new ZWaveCommandClass.CommandClass[] { ZWaveCommandClass.CommandClass.SWITCH_MULTILEVEL, ZWaveCommandClass.CommandClass.SWITCH_BINARY, ZWaveCommandClass.CommandClass.BASIC }) { zwaveCommandClass = (ZWaveSetCommands)node.resolveCommandClass(commandClass, endpoint); if (zwaveCommandClass != null) break; } if (zwaveCommandClass == null) { logger.error("No Command Class found on node {}, instance/endpoint {} to request level.", nodeId, endpoint); return; } serialMessage = node.encapsulate(zwaveCommandClass.setValueMessage(value), (ZWaveCommandClass)zwaveCommandClass, endpoint); if (serialMessage != null) this.sendData(serialMessage); // read back level on "ON" command if (((ZWaveCommandClass)zwaveCommandClass).getCommandClass() == ZWaveCommandClass.CommandClass.SWITCH_MULTILEVEL && value == 255) this.requestValue(nodeId, endpoint); }
[ "public", "void", "sendValue", "(", "int", "nodeId", ",", "int", "endpoint", ",", "int", "value", ")", "{", "ZWaveNode", "node", "=", "this", ".", "getNode", "(", "nodeId", ")", ";", "ZWaveSetCommands", "zwaveCommandClass", "=", "null", ";", "SerialMessage", "serialMessage", "=", "null", ";", "for", "(", "ZWaveCommandClass", ".", "CommandClass", "commandClass", ":", "new", "ZWaveCommandClass", ".", "CommandClass", "[", "]", "{", "ZWaveCommandClass", ".", "CommandClass", ".", "SWITCH_MULTILEVEL", ",", "ZWaveCommandClass", ".", "CommandClass", ".", "SWITCH_BINARY", ",", "ZWaveCommandClass", ".", "CommandClass", ".", "BASIC", "}", ")", "{", "zwaveCommandClass", "=", "(", "ZWaveSetCommands", ")", "node", ".", "resolveCommandClass", "(", "commandClass", ",", "endpoint", ")", ";", "if", "(", "zwaveCommandClass", "!=", "null", ")", "break", ";", "}", "if", "(", "zwaveCommandClass", "==", "null", ")", "{", "logger", ".", "error", "(", "\"No Command Class found on node {}, instance/endpoint {} to request level.\"", ",", "nodeId", ",", "endpoint", ")", ";", "return", ";", "}", "serialMessage", "=", "node", ".", "encapsulate", "(", "zwaveCommandClass", ".", "setValueMessage", "(", "value", ")", ",", "(", "ZWaveCommandClass", ")", "zwaveCommandClass", ",", "endpoint", ")", ";", "if", "(", "serialMessage", "!=", "null", ")", "this", ".", "sendData", "(", "serialMessage", ")", ";", "// read back level on \"ON\" command", "if", "(", "(", "(", "ZWaveCommandClass", ")", "zwaveCommandClass", ")", ".", "getCommandClass", "(", ")", "==", "ZWaveCommandClass", ".", "CommandClass", ".", "SWITCH_MULTILEVEL", "&&", "value", "==", "255", ")", "this", ".", "requestValue", "(", "nodeId", ",", "endpoint", ")", ";", "}" ]
Send value to node. @param nodeId the node Id to send the value to. @param endpoint the endpoint to send the value to. @param value the value to send
[ "Send", "value", "to", "node", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveController.java#L1000-L1024
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultImportationLinker.java
DefaultImportationLinker.processProperties
private void processProperties() { state = true; try { importerServiceFilter = getFilter(importerServiceFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_IMPORTERSERVICE_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } try { importDeclarationFilter = getFilter(importDeclarationFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_IMPORTDECLARATION_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } }
java
private void processProperties() { state = true; try { importerServiceFilter = getFilter(importerServiceFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_IMPORTERSERVICE_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } try { importDeclarationFilter = getFilter(importDeclarationFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_IMPORTDECLARATION_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } }
[ "private", "void", "processProperties", "(", ")", "{", "state", "=", "true", ";", "try", "{", "importerServiceFilter", "=", "getFilter", "(", "importerServiceFilterProperty", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "debug", "(", "\"The value of the Property \"", "+", "FILTER_IMPORTERSERVICE_PROPERTY", "+", "\" is invalid,\"", "+", "\" the recuperation of the Filter has failed. The instance gonna stop.\"", ",", "invalidFilterException", ")", ";", "state", "=", "false", ";", "return", ";", "}", "try", "{", "importDeclarationFilter", "=", "getFilter", "(", "importDeclarationFilterProperty", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "debug", "(", "\"The value of the Property \"", "+", "FILTER_IMPORTDECLARATION_PROPERTY", "+", "\" is invalid,\"", "+", "\" the recuperation of the Filter has failed. The instance gonna stop.\"", ",", "invalidFilterException", ")", ";", "state", "=", "false", ";", "return", ";", "}", "}" ]
Get the filters ImporterServiceFilter and ImportDeclarationFilter from the properties, stop the instance if one of. them is invalid.
[ "Get", "the", "filters", "ImporterServiceFilter", "and", "ImportDeclarationFilter", "from", "the", "properties", "stop", "the", "instance", "if", "one", "of", ".", "them", "is", "invalid", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultImportationLinker.java#L114-L133
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultImportationLinker.java
DefaultImportationLinker.modifiedImporterService
@Modified(id = "importerServices") void modifiedImporterService(ServiceReference<ImporterService> serviceReference) { try { importersManager.modified(serviceReference); } catch (InvalidFilterException invalidFilterException) { LOG.error("The ServiceProperty \"" + TARGET_FILTER_PROPERTY + "\" of the ImporterService " + bundleContext.getService(serviceReference) + " doesn't provides a valid Filter." + " To be used, it must provides a correct \"" + TARGET_FILTER_PROPERTY + "\" ServiceProperty.", invalidFilterException ); importersManager.removeLinks(serviceReference); return; } if (importersManager.matched(serviceReference)) { importersManager.updateLinks(serviceReference); } else { importersManager.removeLinks(serviceReference); } }
java
@Modified(id = "importerServices") void modifiedImporterService(ServiceReference<ImporterService> serviceReference) { try { importersManager.modified(serviceReference); } catch (InvalidFilterException invalidFilterException) { LOG.error("The ServiceProperty \"" + TARGET_FILTER_PROPERTY + "\" of the ImporterService " + bundleContext.getService(serviceReference) + " doesn't provides a valid Filter." + " To be used, it must provides a correct \"" + TARGET_FILTER_PROPERTY + "\" ServiceProperty.", invalidFilterException ); importersManager.removeLinks(serviceReference); return; } if (importersManager.matched(serviceReference)) { importersManager.updateLinks(serviceReference); } else { importersManager.removeLinks(serviceReference); } }
[ "@", "Modified", "(", "id", "=", "\"importerServices\"", ")", "void", "modifiedImporterService", "(", "ServiceReference", "<", "ImporterService", ">", "serviceReference", ")", "{", "try", "{", "importersManager", ".", "modified", "(", "serviceReference", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "error", "(", "\"The ServiceProperty \\\"\"", "+", "TARGET_FILTER_PROPERTY", "+", "\"\\\" of the ImporterService \"", "+", "bundleContext", ".", "getService", "(", "serviceReference", ")", "+", "\" doesn't provides a valid Filter.\"", "+", "\" To be used, it must provides a correct \\\"\"", "+", "TARGET_FILTER_PROPERTY", "+", "\"\\\" ServiceProperty.\"", ",", "invalidFilterException", ")", ";", "importersManager", ".", "removeLinks", "(", "serviceReference", ")", ";", "return", ";", "}", "if", "(", "importersManager", ".", "matched", "(", "serviceReference", ")", ")", "{", "importersManager", ".", "updateLinks", "(", "serviceReference", ")", ";", "}", "else", "{", "importersManager", ".", "removeLinks", "(", "serviceReference", ")", ";", "}", "}" ]
Update the Target Filter of the ImporterService. Apply the induce modifications on the links of the ImporterService @param serviceReference
[ "Update", "the", "Target", "Filter", "of", "the", "ImporterService", ".", "Apply", "the", "induce", "modifications", "on", "the", "links", "of", "the", "ImporterService" ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultImportationLinker.java#L185-L203
train
ow2-chameleon/fuchsia
exporters/json-rpc/src/main/java/org/ow2/chameleon/fuchsia/exporter/jsonrpc/JSONRPCExporter.java
JSONRPCExporter.unregisterAllServlets
private void unregisterAllServlets() { for (String endpoint : registeredServlets) { registeredServlets.remove(endpoint); web.unregister(endpoint); LOG.info("endpoint {} unregistered", endpoint); } }
java
private void unregisterAllServlets() { for (String endpoint : registeredServlets) { registeredServlets.remove(endpoint); web.unregister(endpoint); LOG.info("endpoint {} unregistered", endpoint); } }
[ "private", "void", "unregisterAllServlets", "(", ")", "{", "for", "(", "String", "endpoint", ":", "registeredServlets", ")", "{", "registeredServlets", ".", "remove", "(", "endpoint", ")", ";", "web", ".", "unregister", "(", "endpoint", ")", ";", "LOG", ".", "info", "(", "\"endpoint {} unregistered\"", ",", "endpoint", ")", ";", "}", "}" ]
Unregister all servlets registered by this exporter.
[ "Unregister", "all", "servlets", "registered", "by", "this", "exporter", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/exporters/json-rpc/src/main/java/org/ow2/chameleon/fuchsia/exporter/jsonrpc/JSONRPCExporter.java#L161-L169
train
thorstenwagner/TraJ
src/main/java/de/biomedical_imaging/traJ/drift/StaticDriftCalculator.java
StaticDriftCalculator.calculateDrift
public double[] calculateDrift(ArrayList<T> tracks){ double[] result = new double[3]; double sumX =0; double sumY = 0; double sumZ = 0; int N=0; for(int i = 0; i < tracks.size(); i++){ T t = tracks.get(i); TrajectoryValidIndexTimelagIterator it = new TrajectoryValidIndexTimelagIterator(t,1); //for(int j = 1; j < t.size(); j++){ while(it.hasNext()) { int j = it.next(); sumX += t.get(j+1).x - t.get(j).x; sumY += t.get(j+1).y - t.get(j).y; sumZ += t.get(j+1).z - t.get(j).z; N++; } } result[0] = sumX/N; result[1] = sumY/N; result[2] = sumZ/N; return result; }
java
public double[] calculateDrift(ArrayList<T> tracks){ double[] result = new double[3]; double sumX =0; double sumY = 0; double sumZ = 0; int N=0; for(int i = 0; i < tracks.size(); i++){ T t = tracks.get(i); TrajectoryValidIndexTimelagIterator it = new TrajectoryValidIndexTimelagIterator(t,1); //for(int j = 1; j < t.size(); j++){ while(it.hasNext()) { int j = it.next(); sumX += t.get(j+1).x - t.get(j).x; sumY += t.get(j+1).y - t.get(j).y; sumZ += t.get(j+1).z - t.get(j).z; N++; } } result[0] = sumX/N; result[1] = sumY/N; result[2] = sumZ/N; return result; }
[ "public", "double", "[", "]", "calculateDrift", "(", "ArrayList", "<", "T", ">", "tracks", ")", "{", "double", "[", "]", "result", "=", "new", "double", "[", "3", "]", ";", "double", "sumX", "=", "0", ";", "double", "sumY", "=", "0", ";", "double", "sumZ", "=", "0", ";", "int", "N", "=", "0", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "tracks", ".", "size", "(", ")", ";", "i", "++", ")", "{", "T", "t", "=", "tracks", ".", "get", "(", "i", ")", ";", "TrajectoryValidIndexTimelagIterator", "it", "=", "new", "TrajectoryValidIndexTimelagIterator", "(", "t", ",", "1", ")", ";", "//for(int j = 1; j < t.size(); j++){", "while", "(", "it", ".", "hasNext", "(", ")", ")", "{", "int", "j", "=", "it", ".", "next", "(", ")", ";", "sumX", "+=", "t", ".", "get", "(", "j", "+", "1", ")", ".", "x", "-", "t", ".", "get", "(", "j", ")", ".", "x", ";", "sumY", "+=", "t", ".", "get", "(", "j", "+", "1", ")", ".", "y", "-", "t", ".", "get", "(", "j", ")", ".", "y", ";", "sumZ", "+=", "t", ".", "get", "(", "j", "+", "1", ")", ".", "z", "-", "t", ".", "get", "(", "j", ")", ".", "z", ";", "N", "++", ";", "}", "}", "result", "[", "0", "]", "=", "sumX", "/", "N", ";", "result", "[", "1", "]", "=", "sumY", "/", "N", ";", "result", "[", "2", "]", "=", "sumZ", "/", "N", ";", "return", "result", ";", "}" ]
Calculates the static drift. Static means, that the drift does not change direction or intensity over time. @param tracks Tracks which seems to exhibit a local drift @return The static drift over all trajectories
[ "Calculates", "the", "static", "drift", ".", "Static", "means", "that", "the", "drift", "does", "not", "change", "direction", "or", "intensity", "over", "time", "." ]
505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb
https://github.com/thorstenwagner/TraJ/blob/505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb/src/main/java/de/biomedical_imaging/traJ/drift/StaticDriftCalculator.java#L40-L64
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveEndpoint.java
ZWaveEndpoint.addCommandClass
public void addCommandClass(ZWaveCommandClass commandClass) { ZWaveCommandClass.CommandClass key = commandClass.getCommandClass(); if (!supportedCommandClasses.containsKey(key)) { supportedCommandClasses.put(key, commandClass); } }
java
public void addCommandClass(ZWaveCommandClass commandClass) { ZWaveCommandClass.CommandClass key = commandClass.getCommandClass(); if (!supportedCommandClasses.containsKey(key)) { supportedCommandClasses.put(key, commandClass); } }
[ "public", "void", "addCommandClass", "(", "ZWaveCommandClass", "commandClass", ")", "{", "ZWaveCommandClass", ".", "CommandClass", "key", "=", "commandClass", ".", "getCommandClass", "(", ")", ";", "if", "(", "!", "supportedCommandClasses", ".", "containsKey", "(", "key", ")", ")", "{", "supportedCommandClasses", ".", "put", "(", "key", ",", "commandClass", ")", ";", "}", "}" ]
Adds a command class to the list of supported command classes by this endpoint. Does nothing if command class is already added. @param commandClass the command class instance to add.
[ "Adds", "a", "command", "class", "to", "the", "list", "of", "supported", "command", "classes", "by", "this", "endpoint", ".", "Does", "nothing", "if", "command", "class", "is", "already", "added", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/protocol/ZWaveEndpoint.java#L112-L117
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java
LinkerManagement.canBeLinked
public boolean canBeLinked(D declaration, ServiceReference<S> declarationBinderRef) { // Evaluate the target filter of the ImporterService on the Declaration Filter filter = bindersManager.getTargetFilter(declarationBinderRef); return filter.matches(declaration.getMetadata()); }
java
public boolean canBeLinked(D declaration, ServiceReference<S> declarationBinderRef) { // Evaluate the target filter of the ImporterService on the Declaration Filter filter = bindersManager.getTargetFilter(declarationBinderRef); return filter.matches(declaration.getMetadata()); }
[ "public", "boolean", "canBeLinked", "(", "D", "declaration", ",", "ServiceReference", "<", "S", ">", "declarationBinderRef", ")", "{", "// Evaluate the target filter of the ImporterService on the Declaration", "Filter", "filter", "=", "bindersManager", ".", "getTargetFilter", "(", "declarationBinderRef", ")", ";", "return", "filter", ".", "matches", "(", "declaration", ".", "getMetadata", "(", ")", ")", ";", "}" ]
Return true if the Declaration can be linked to the ImporterService. @param declaration The Declaration @param declarationBinderRef The ServiceReference<ImporterService> of the ImporterService @return true if the Declaration can be linked to the ImporterService
[ "Return", "true", "if", "the", "Declaration", "can", "be", "linked", "to", "the", "ImporterService", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java#L53-L57
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java
LinkerManagement.link
public boolean link(D declaration, ServiceReference<S> declarationBinderRef) { S declarationBinder = bindersManager.getDeclarationBinder(declarationBinderRef); LOG.debug(declaration + " match the filter of " + declarationBinder + " : bind them together"); declaration.bind(declarationBinderRef); try { declarationBinder.addDeclaration(declaration); } catch (Exception e) { declaration.unbind(declarationBinderRef); LOG.debug(declarationBinder + " throw an exception when giving to it the Declaration " + declaration, e); return false; } return true; }
java
public boolean link(D declaration, ServiceReference<S> declarationBinderRef) { S declarationBinder = bindersManager.getDeclarationBinder(declarationBinderRef); LOG.debug(declaration + " match the filter of " + declarationBinder + " : bind them together"); declaration.bind(declarationBinderRef); try { declarationBinder.addDeclaration(declaration); } catch (Exception e) { declaration.unbind(declarationBinderRef); LOG.debug(declarationBinder + " throw an exception when giving to it the Declaration " + declaration, e); return false; } return true; }
[ "public", "boolean", "link", "(", "D", "declaration", ",", "ServiceReference", "<", "S", ">", "declarationBinderRef", ")", "{", "S", "declarationBinder", "=", "bindersManager", ".", "getDeclarationBinder", "(", "declarationBinderRef", ")", ";", "LOG", ".", "debug", "(", "declaration", "+", "\" match the filter of \"", "+", "declarationBinder", "+", "\" : bind them together\"", ")", ";", "declaration", ".", "bind", "(", "declarationBinderRef", ")", ";", "try", "{", "declarationBinder", ".", "addDeclaration", "(", "declaration", ")", ";", "}", "catch", "(", "Exception", "e", ")", "{", "declaration", ".", "unbind", "(", "declarationBinderRef", ")", ";", "LOG", ".", "debug", "(", "declarationBinder", "+", "\" throw an exception when giving to it the Declaration \"", "+", "declaration", ",", "e", ")", ";", "return", "false", ";", "}", "return", "true", ";", "}" ]
Try to link the declaration with the importerService referenced by the ServiceReference,. return true if they have been link together, false otherwise. @param declaration The Declaration @param declarationBinderRef The ServiceReference<S> of S @return true if they have been link together, false otherwise.
[ "Try", "to", "link", "the", "declaration", "with", "the", "importerService", "referenced", "by", "the", "ServiceReference", ".", "return", "true", "if", "they", "have", "been", "link", "together", "false", "otherwise", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java#L67-L80
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java
LinkerManagement.unlink
public boolean unlink(D declaration, ServiceReference<S> declarationBinderRef) { S declarationBinder = bindersManager.getDeclarationBinder(declarationBinderRef); try { declarationBinder.removeDeclaration(declaration); } catch (BinderException e) { LOG.debug(declarationBinder + " throw an exception when removing of it the Declaration " + declaration, e); declaration.unhandle(declarationBinderRef); return false; } finally { declaration.unbind(declarationBinderRef); } return true; }
java
public boolean unlink(D declaration, ServiceReference<S> declarationBinderRef) { S declarationBinder = bindersManager.getDeclarationBinder(declarationBinderRef); try { declarationBinder.removeDeclaration(declaration); } catch (BinderException e) { LOG.debug(declarationBinder + " throw an exception when removing of it the Declaration " + declaration, e); declaration.unhandle(declarationBinderRef); return false; } finally { declaration.unbind(declarationBinderRef); } return true; }
[ "public", "boolean", "unlink", "(", "D", "declaration", ",", "ServiceReference", "<", "S", ">", "declarationBinderRef", ")", "{", "S", "declarationBinder", "=", "bindersManager", ".", "getDeclarationBinder", "(", "declarationBinderRef", ")", ";", "try", "{", "declarationBinder", ".", "removeDeclaration", "(", "declaration", ")", ";", "}", "catch", "(", "BinderException", "e", ")", "{", "LOG", ".", "debug", "(", "declarationBinder", "+", "\" throw an exception when removing of it the Declaration \"", "+", "declaration", ",", "e", ")", ";", "declaration", ".", "unhandle", "(", "declarationBinderRef", ")", ";", "return", "false", ";", "}", "finally", "{", "declaration", ".", "unbind", "(", "declarationBinderRef", ")", ";", "}", "return", "true", ";", "}" ]
Try to unlink the declaration from the importerService referenced by the ServiceReference,. return true if they have been cleanly unlink, false otherwise. @param declaration The Declaration @param declarationBinderRef The ServiceReference of the ImporterService @return true if they have been cleanly unlink, false otherwise.
[ "Try", "to", "unlink", "the", "declaration", "from", "the", "importerService", "referenced", "by", "the", "ServiceReference", ".", "return", "true", "if", "they", "have", "been", "cleanly", "unlink", "false", "otherwise", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerManagement.java#L90-L103
train
before/quality-check
modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/domain/Package.java
Package.removeLastDot
private static String removeLastDot(final String pkgName) { return pkgName.charAt(pkgName.length() - 1) == Characters.DOT ? pkgName.substring(0, pkgName.length() - 1) : pkgName; }
java
private static String removeLastDot(final String pkgName) { return pkgName.charAt(pkgName.length() - 1) == Characters.DOT ? pkgName.substring(0, pkgName.length() - 1) : pkgName; }
[ "private", "static", "String", "removeLastDot", "(", "final", "String", "pkgName", ")", "{", "return", "pkgName", ".", "charAt", "(", "pkgName", ".", "length", "(", ")", "-", "1", ")", "==", "Characters", ".", "DOT", "?", "pkgName", ".", "substring", "(", "0", ",", "pkgName", ".", "length", "(", ")", "-", "1", ")", ":", "pkgName", ";", "}" ]
Filters a dot at the end of the passed package name if present. @param pkgName a package name @return a filtered package name
[ "Filters", "a", "dot", "at", "the", "end", "of", "the", "passed", "package", "name", "if", "present", "." ]
a75c32c39434ddb1f89bece57acae0536724c15a
https://github.com/before/quality-check/blob/a75c32c39434ddb1f89bece57acae0536724c15a/modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/domain/Package.java#L51-L53
train
before/quality-check
modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/util/SourceCodeFormatter.java
SourceCodeFormatter.findDefaultProperties
@Nonnull private static Properties findDefaultProperties() { final InputStream in = SourceCodeFormatter.class.getClassLoader().getResourceAsStream(DEFAULT_PROPERTIES_PATH); final Properties p = new Properties(); try { p.load(in); } catch (final IOException e) { throw new RuntimeException(String.format("Can not load resource %s", DEFAULT_PROPERTIES_PATH)); } return p; }
java
@Nonnull private static Properties findDefaultProperties() { final InputStream in = SourceCodeFormatter.class.getClassLoader().getResourceAsStream(DEFAULT_PROPERTIES_PATH); final Properties p = new Properties(); try { p.load(in); } catch (final IOException e) { throw new RuntimeException(String.format("Can not load resource %s", DEFAULT_PROPERTIES_PATH)); } return p; }
[ "@", "Nonnull", "private", "static", "Properties", "findDefaultProperties", "(", ")", "{", "final", "InputStream", "in", "=", "SourceCodeFormatter", ".", "class", ".", "getClassLoader", "(", ")", ".", "getResourceAsStream", "(", "DEFAULT_PROPERTIES_PATH", ")", ";", "final", "Properties", "p", "=", "new", "Properties", "(", ")", ";", "try", "{", "p", ".", "load", "(", "in", ")", ";", "}", "catch", "(", "final", "IOException", "e", ")", "{", "throw", "new", "RuntimeException", "(", "String", ".", "format", "(", "\"Can not load resource %s\"", ",", "DEFAULT_PROPERTIES_PATH", ")", ")", ";", "}", "return", "p", ";", "}" ]
Gets the default options to be passed when no custom properties are given. @return properties with formatter options
[ "Gets", "the", "default", "options", "to", "be", "passed", "when", "no", "custom", "properties", "are", "given", "." ]
a75c32c39434ddb1f89bece57acae0536724c15a
https://github.com/before/quality-check/blob/a75c32c39434ddb1f89bece57acae0536724c15a/modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/util/SourceCodeFormatter.java#L146-L156
train
before/quality-check
modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/util/SourceCodeFormatter.java
SourceCodeFormatter.format
public static String format(final String code, final Properties options, final LineEnding lineEnding) { Check.notEmpty(code, "code"); Check.notEmpty(options, "options"); Check.notNull(lineEnding, "lineEnding"); final CodeFormatter formatter = ToolFactory.createCodeFormatter(options); final String lineSeparator = LineEnding.find(lineEnding, code); TextEdit te = null; try { te = formatter.format(CodeFormatter.K_COMPILATION_UNIT, code, 0, code.length(), 0, lineSeparator); } catch (final Exception formatFailed) { LOG.warn("Formatting failed", formatFailed); } String formattedCode = code; if (te == null) { LOG.info("Code cannot be formatted. Possible cause is unmatched source/target/compliance version."); } else { final IDocument doc = new Document(code); try { te.apply(doc); } catch (final Exception e) { LOG.warn(e.getLocalizedMessage(), e); } formattedCode = doc.get(); } return formattedCode; }
java
public static String format(final String code, final Properties options, final LineEnding lineEnding) { Check.notEmpty(code, "code"); Check.notEmpty(options, "options"); Check.notNull(lineEnding, "lineEnding"); final CodeFormatter formatter = ToolFactory.createCodeFormatter(options); final String lineSeparator = LineEnding.find(lineEnding, code); TextEdit te = null; try { te = formatter.format(CodeFormatter.K_COMPILATION_UNIT, code, 0, code.length(), 0, lineSeparator); } catch (final Exception formatFailed) { LOG.warn("Formatting failed", formatFailed); } String formattedCode = code; if (te == null) { LOG.info("Code cannot be formatted. Possible cause is unmatched source/target/compliance version."); } else { final IDocument doc = new Document(code); try { te.apply(doc); } catch (final Exception e) { LOG.warn(e.getLocalizedMessage(), e); } formattedCode = doc.get(); } return formattedCode; }
[ "public", "static", "String", "format", "(", "final", "String", "code", ",", "final", "Properties", "options", ",", "final", "LineEnding", "lineEnding", ")", "{", "Check", ".", "notEmpty", "(", "code", ",", "\"code\"", ")", ";", "Check", ".", "notEmpty", "(", "options", ",", "\"options\"", ")", ";", "Check", ".", "notNull", "(", "lineEnding", ",", "\"lineEnding\"", ")", ";", "final", "CodeFormatter", "formatter", "=", "ToolFactory", ".", "createCodeFormatter", "(", "options", ")", ";", "final", "String", "lineSeparator", "=", "LineEnding", ".", "find", "(", "lineEnding", ",", "code", ")", ";", "TextEdit", "te", "=", "null", ";", "try", "{", "te", "=", "formatter", ".", "format", "(", "CodeFormatter", ".", "K_COMPILATION_UNIT", ",", "code", ",", "0", ",", "code", ".", "length", "(", ")", ",", "0", ",", "lineSeparator", ")", ";", "}", "catch", "(", "final", "Exception", "formatFailed", ")", "{", "LOG", ".", "warn", "(", "\"Formatting failed\"", ",", "formatFailed", ")", ";", "}", "String", "formattedCode", "=", "code", ";", "if", "(", "te", "==", "null", ")", "{", "LOG", ".", "info", "(", "\"Code cannot be formatted. Possible cause is unmatched source/target/compliance version.\"", ")", ";", "}", "else", "{", "final", "IDocument", "doc", "=", "new", "Document", "(", "code", ")", ";", "try", "{", "te", ".", "apply", "(", "doc", ")", ";", "}", "catch", "(", "final", "Exception", "e", ")", "{", "LOG", ".", "warn", "(", "e", ".", "getLocalizedMessage", "(", ")", ",", "e", ")", ";", "}", "formattedCode", "=", "doc", ".", "get", "(", ")", ";", "}", "return", "formattedCode", ";", "}" ]
Pretty prints the given source code. @param code source code to format @param options formatter options @param lineEnding desired line ending @return formatted source code
[ "Pretty", "prints", "the", "given", "source", "code", "." ]
a75c32c39434ddb1f89bece57acae0536724c15a
https://github.com/before/quality-check/blob/a75c32c39434ddb1f89bece57acae0536724c15a/modules/quality-immutable-object/src/main/java/net/sf/qualitycheck/immutableobject/util/SourceCodeFormatter.java#L180-L208
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultExportationLinker.java
DefaultExportationLinker.processProperties
private void processProperties() { state = true; try { exporterServiceFilter = getFilter(exporterServiceFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_EXPORTERSERVICE_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } try { exportDeclarationFilter = getFilter(exportDeclarationFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_EXPORTDECLARATION_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } }
java
private void processProperties() { state = true; try { exporterServiceFilter = getFilter(exporterServiceFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_EXPORTERSERVICE_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } try { exportDeclarationFilter = getFilter(exportDeclarationFilterProperty); } catch (InvalidFilterException invalidFilterException) { LOG.debug("The value of the Property " + FILTER_EXPORTDECLARATION_PROPERTY + " is invalid," + " the recuperation of the Filter has failed. The instance gonna stop.", invalidFilterException); state = false; return; } }
[ "private", "void", "processProperties", "(", ")", "{", "state", "=", "true", ";", "try", "{", "exporterServiceFilter", "=", "getFilter", "(", "exporterServiceFilterProperty", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "debug", "(", "\"The value of the Property \"", "+", "FILTER_EXPORTERSERVICE_PROPERTY", "+", "\" is invalid,\"", "+", "\" the recuperation of the Filter has failed. The instance gonna stop.\"", ",", "invalidFilterException", ")", ";", "state", "=", "false", ";", "return", ";", "}", "try", "{", "exportDeclarationFilter", "=", "getFilter", "(", "exportDeclarationFilterProperty", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "debug", "(", "\"The value of the Property \"", "+", "FILTER_EXPORTDECLARATION_PROPERTY", "+", "\" is invalid,\"", "+", "\" the recuperation of the Filter has failed. The instance gonna stop.\"", ",", "invalidFilterException", ")", ";", "state", "=", "false", ";", "return", ";", "}", "}" ]
Get the filters ExporterServiceFilter and ExportDeclarationFilter from the properties, stop the instance if one of. them is invalid.
[ "Get", "the", "filters", "ExporterServiceFilter", "and", "ExportDeclarationFilter", "from", "the", "properties", "stop", "the", "instance", "if", "one", "of", ".", "them", "is", "invalid", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultExportationLinker.java#L114-L133
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultExportationLinker.java
DefaultExportationLinker.modifiedExporterService
@Modified(id = "exporterServices") void modifiedExporterService(ServiceReference<ExporterService> serviceReference) { try { exportersManager.modified(serviceReference); } catch (InvalidFilterException invalidFilterException) { LOG.error("The ServiceProperty \"" + TARGET_FILTER_PROPERTY + "\" of the ExporterService " + bundleContext.getService(serviceReference) + " doesn't provides a valid Filter." + " To be used, it must provides a correct \"" + TARGET_FILTER_PROPERTY + "\" ServiceProperty.", invalidFilterException ); exportersManager.removeLinks(serviceReference); return; } if (exportersManager.matched(serviceReference)) { exportersManager.updateLinks(serviceReference); } else { exportersManager.removeLinks(serviceReference); } }
java
@Modified(id = "exporterServices") void modifiedExporterService(ServiceReference<ExporterService> serviceReference) { try { exportersManager.modified(serviceReference); } catch (InvalidFilterException invalidFilterException) { LOG.error("The ServiceProperty \"" + TARGET_FILTER_PROPERTY + "\" of the ExporterService " + bundleContext.getService(serviceReference) + " doesn't provides a valid Filter." + " To be used, it must provides a correct \"" + TARGET_FILTER_PROPERTY + "\" ServiceProperty.", invalidFilterException ); exportersManager.removeLinks(serviceReference); return; } if (exportersManager.matched(serviceReference)) { exportersManager.updateLinks(serviceReference); } else { exportersManager.removeLinks(serviceReference); } }
[ "@", "Modified", "(", "id", "=", "\"exporterServices\"", ")", "void", "modifiedExporterService", "(", "ServiceReference", "<", "ExporterService", ">", "serviceReference", ")", "{", "try", "{", "exportersManager", ".", "modified", "(", "serviceReference", ")", ";", "}", "catch", "(", "InvalidFilterException", "invalidFilterException", ")", "{", "LOG", ".", "error", "(", "\"The ServiceProperty \\\"\"", "+", "TARGET_FILTER_PROPERTY", "+", "\"\\\" of the ExporterService \"", "+", "bundleContext", ".", "getService", "(", "serviceReference", ")", "+", "\" doesn't provides a valid Filter.\"", "+", "\" To be used, it must provides a correct \\\"\"", "+", "TARGET_FILTER_PROPERTY", "+", "\"\\\" ServiceProperty.\"", ",", "invalidFilterException", ")", ";", "exportersManager", ".", "removeLinks", "(", "serviceReference", ")", ";", "return", ";", "}", "if", "(", "exportersManager", ".", "matched", "(", "serviceReference", ")", ")", "{", "exportersManager", ".", "updateLinks", "(", "serviceReference", ")", ";", "}", "else", "{", "exportersManager", ".", "removeLinks", "(", "serviceReference", ")", ";", "}", "}" ]
Update the Target Filter of the ExporterService. Apply the induce modifications on the links of the ExporterService @param serviceReference
[ "Update", "the", "Target", "Filter", "of", "the", "ExporterService", ".", "Apply", "the", "induce", "modifications", "on", "the", "links", "of", "the", "ExporterService" ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/DefaultExportationLinker.java#L185-L203
train
ow2-chameleon/fuchsia
bases/knx/calimero/src/main/java/tuwien/auto/calimero/datapoint/StateDP.java
StateDP.checkGAs
private void checkGAs(List l) { for (final Iterator i = l.iterator(); i.hasNext();) if (!(i.next() instanceof GroupAddress)) throw new KNXIllegalArgumentException("not a group address list"); }
java
private void checkGAs(List l) { for (final Iterator i = l.iterator(); i.hasNext();) if (!(i.next() instanceof GroupAddress)) throw new KNXIllegalArgumentException("not a group address list"); }
[ "private", "void", "checkGAs", "(", "List", "l", ")", "{", "for", "(", "final", "Iterator", "i", "=", "l", ".", "iterator", "(", ")", ";", "i", ".", "hasNext", "(", ")", ";", ")", "if", "(", "!", "(", "i", ".", "next", "(", ")", "instanceof", "GroupAddress", ")", ")", "throw", "new", "KNXIllegalArgumentException", "(", "\"not a group address list\"", ")", ";", "}" ]
iteration not synchronized
[ "iteration", "not", "synchronized" ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/knx/calimero/src/main/java/tuwien/auto/calimero/datapoint/StateDP.java#L363-L368
train
thorstenwagner/TraJ
src/main/java/de/biomedical_imaging/traJ/simulation/SimulationUtil.java
SimulationUtil.addPositionNoise
public static Trajectory addPositionNoise(Trajectory t, double sd){ CentralRandomNumberGenerator r = CentralRandomNumberGenerator.getInstance(); Trajectory newt = new Trajectory(t.getDimension()); for(int i = 0; i < t.size(); i++){ newt.add(t.get(i)); for(int j = 1; j <= t.getDimension(); j++){ switch (j) { case 1: newt.get(i).setX(newt.get(i).x + r.nextGaussian()*sd); break; case 2: newt.get(i).setY(newt.get(i).y + r.nextGaussian()*sd); break; case 3: newt.get(i).setZ(newt.get(i).z + r.nextGaussian()*sd); break; default: break; } } } return newt; }
java
public static Trajectory addPositionNoise(Trajectory t, double sd){ CentralRandomNumberGenerator r = CentralRandomNumberGenerator.getInstance(); Trajectory newt = new Trajectory(t.getDimension()); for(int i = 0; i < t.size(); i++){ newt.add(t.get(i)); for(int j = 1; j <= t.getDimension(); j++){ switch (j) { case 1: newt.get(i).setX(newt.get(i).x + r.nextGaussian()*sd); break; case 2: newt.get(i).setY(newt.get(i).y + r.nextGaussian()*sd); break; case 3: newt.get(i).setZ(newt.get(i).z + r.nextGaussian()*sd); break; default: break; } } } return newt; }
[ "public", "static", "Trajectory", "addPositionNoise", "(", "Trajectory", "t", ",", "double", "sd", ")", "{", "CentralRandomNumberGenerator", "r", "=", "CentralRandomNumberGenerator", ".", "getInstance", "(", ")", ";", "Trajectory", "newt", "=", "new", "Trajectory", "(", "t", ".", "getDimension", "(", ")", ")", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "t", ".", "size", "(", ")", ";", "i", "++", ")", "{", "newt", ".", "add", "(", "t", ".", "get", "(", "i", ")", ")", ";", "for", "(", "int", "j", "=", "1", ";", "j", "<=", "t", ".", "getDimension", "(", ")", ";", "j", "++", ")", "{", "switch", "(", "j", ")", "{", "case", "1", ":", "newt", ".", "get", "(", "i", ")", ".", "setX", "(", "newt", ".", "get", "(", "i", ")", ".", "x", "+", "r", ".", "nextGaussian", "(", ")", "*", "sd", ")", ";", "break", ";", "case", "2", ":", "newt", ".", "get", "(", "i", ")", ".", "setY", "(", "newt", ".", "get", "(", "i", ")", ".", "y", "+", "r", ".", "nextGaussian", "(", ")", "*", "sd", ")", ";", "break", ";", "case", "3", ":", "newt", ".", "get", "(", "i", ")", ".", "setZ", "(", "newt", ".", "get", "(", "i", ")", ".", "z", "+", "r", ".", "nextGaussian", "(", ")", "*", "sd", ")", ";", "break", ";", "default", ":", "break", ";", "}", "}", "}", "return", "newt", ";", "}" ]
Adds position noise to the trajectories @param t @param sd @return trajectory with position noise
[ "Adds", "position", "noise", "to", "the", "trajectories" ]
505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb
https://github.com/thorstenwagner/TraJ/blob/505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb/src/main/java/de/biomedical_imaging/traJ/simulation/SimulationUtil.java#L45-L70
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveWakeUpCommandClass.java
ZWaveWakeUpCommandClass.getNoMoreInformationMessage
public SerialMessage getNoMoreInformationMessage() { logger.debug("Creating new message for application command WAKE_UP_NO_MORE_INFORMATION for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessage.SerialMessageClass.SendData, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SendData, SerialMessage.SerialMessagePriority.Low); byte[] newPayload = { (byte) this.getNode().getNodeId(), 2, (byte) getCommandClass().getKey(), (byte) WAKE_UP_NO_MORE_INFORMATION }; result.setMessagePayload(newPayload); return result; }
java
public SerialMessage getNoMoreInformationMessage() { logger.debug("Creating new message for application command WAKE_UP_NO_MORE_INFORMATION for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessage.SerialMessageClass.SendData, SerialMessage.SerialMessageType.Request, SerialMessage.SerialMessageClass.SendData, SerialMessage.SerialMessagePriority.Low); byte[] newPayload = { (byte) this.getNode().getNodeId(), 2, (byte) getCommandClass().getKey(), (byte) WAKE_UP_NO_MORE_INFORMATION }; result.setMessagePayload(newPayload); return result; }
[ "public", "SerialMessage", "getNoMoreInformationMessage", "(", ")", "{", "logger", ".", "debug", "(", "\"Creating new message for application command WAKE_UP_NO_MORE_INFORMATION for node {}\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ")", ";", "SerialMessage", "result", "=", "new", "SerialMessage", "(", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "SerialMessage", ".", "SerialMessageClass", ".", "SendData", ",", "SerialMessage", ".", "SerialMessageType", ".", "Request", ",", "SerialMessage", ".", "SerialMessageClass", ".", "SendData", ",", "SerialMessage", ".", "SerialMessagePriority", ".", "Low", ")", ";", "byte", "[", "]", "newPayload", "=", "{", "(", "byte", ")", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "2", ",", "(", "byte", ")", "getCommandClass", "(", ")", ".", "getKey", "(", ")", ",", "(", "byte", ")", "WAKE_UP_NO_MORE_INFORMATION", "}", ";", "result", ".", "setMessagePayload", "(", "newPayload", ")", ";", "return", "result", ";", "}" ]
Gets a SerialMessage with the WAKE_UP_NO_MORE_INFORMATION command. @return the serial message
[ "Gets", "a", "SerialMessage", "with", "the", "WAKE_UP_NO_MORE_INFORMATION", "command", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveWakeUpCommandClass.java#L225-L235
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveWakeUpCommandClass.java
ZWaveWakeUpCommandClass.putInWakeUpQueue
public void putInWakeUpQueue(SerialMessage serialMessage) { if (this.wakeUpQueue.contains(serialMessage)) { logger.debug("Message already on the wake-up queue for node {}. Discarding.", this.getNode().getNodeId()); return; } logger.debug("Putting message in wakeup queue for node {}.", this.getNode().getNodeId()); this.wakeUpQueue.add(serialMessage); }
java
public void putInWakeUpQueue(SerialMessage serialMessage) { if (this.wakeUpQueue.contains(serialMessage)) { logger.debug("Message already on the wake-up queue for node {}. Discarding.", this.getNode().getNodeId()); return; } logger.debug("Putting message in wakeup queue for node {}.", this.getNode().getNodeId()); this.wakeUpQueue.add(serialMessage); }
[ "public", "void", "putInWakeUpQueue", "(", "SerialMessage", "serialMessage", ")", "{", "if", "(", "this", ".", "wakeUpQueue", ".", "contains", "(", "serialMessage", ")", ")", "{", "logger", ".", "debug", "(", "\"Message already on the wake-up queue for node {}. Discarding.\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ")", ";", "return", ";", "}", "logger", ".", "debug", "(", "\"Putting message in wakeup queue for node {}.\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ")", ";", "this", ".", "wakeUpQueue", ".", "add", "(", "serialMessage", ")", ";", "}" ]
Puts a message in the wake-up queue of this node to send the message on wake-up. @param serialMessage the message to put in the wake-up queue.
[ "Puts", "a", "message", "in", "the", "wake", "-", "up", "queue", "of", "this", "node", "to", "send", "the", "message", "on", "wake", "-", "up", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveWakeUpCommandClass.java#L241-L249
train
ow2-chameleon/fuchsia
bases/protobuffer/cxf-protobuf/src/main/java/com/google/code/cxf/protobuf/SimpleRpcDispatcher.java
SimpleRpcDispatcher.resolveTargetMethod
protected Method resolveTargetMethod(Message message, FieldDescriptor payloadField) { Method targetMethod = fieldToMethod.get(payloadField); if (targetMethod == null) { // look up and cache target method; this block is called only once // per target method, so synchronized is ok synchronized (this) { targetMethod = fieldToMethod.get(payloadField); if (targetMethod == null) { String name = payloadField.getName(); for (Method method : service.getClass().getMethods()) { if (method.getName().equals(name)) { try { method.setAccessible(true); } catch (Exception ex) { log.log(Level.SEVERE,"Error accessing RPC method",ex); } targetMethod = method; fieldToMethod.put(payloadField, targetMethod); break; } } } } } if (targetMethod != null) { return targetMethod; } else { throw new RuntimeException("No matching method found by the name '" + payloadField.getName() + "'"); } }
java
protected Method resolveTargetMethod(Message message, FieldDescriptor payloadField) { Method targetMethod = fieldToMethod.get(payloadField); if (targetMethod == null) { // look up and cache target method; this block is called only once // per target method, so synchronized is ok synchronized (this) { targetMethod = fieldToMethod.get(payloadField); if (targetMethod == null) { String name = payloadField.getName(); for (Method method : service.getClass().getMethods()) { if (method.getName().equals(name)) { try { method.setAccessible(true); } catch (Exception ex) { log.log(Level.SEVERE,"Error accessing RPC method",ex); } targetMethod = method; fieldToMethod.put(payloadField, targetMethod); break; } } } } } if (targetMethod != null) { return targetMethod; } else { throw new RuntimeException("No matching method found by the name '" + payloadField.getName() + "'"); } }
[ "protected", "Method", "resolveTargetMethod", "(", "Message", "message", ",", "FieldDescriptor", "payloadField", ")", "{", "Method", "targetMethod", "=", "fieldToMethod", ".", "get", "(", "payloadField", ")", ";", "if", "(", "targetMethod", "==", "null", ")", "{", "// look up and cache target method; this block is called only once", "// per target method, so synchronized is ok", "synchronized", "(", "this", ")", "{", "targetMethod", "=", "fieldToMethod", ".", "get", "(", "payloadField", ")", ";", "if", "(", "targetMethod", "==", "null", ")", "{", "String", "name", "=", "payloadField", ".", "getName", "(", ")", ";", "for", "(", "Method", "method", ":", "service", ".", "getClass", "(", ")", ".", "getMethods", "(", ")", ")", "{", "if", "(", "method", ".", "getName", "(", ")", ".", "equals", "(", "name", ")", ")", "{", "try", "{", "method", ".", "setAccessible", "(", "true", ")", ";", "}", "catch", "(", "Exception", "ex", ")", "{", "log", ".", "log", "(", "Level", ".", "SEVERE", ",", "\"Error accessing RPC method\"", ",", "ex", ")", ";", "}", "targetMethod", "=", "method", ";", "fieldToMethod", ".", "put", "(", "payloadField", ",", "targetMethod", ")", ";", "break", ";", "}", "}", "}", "}", "}", "if", "(", "targetMethod", "!=", "null", ")", "{", "return", "targetMethod", ";", "}", "else", "{", "throw", "new", "RuntimeException", "(", "\"No matching method found by the name '\"", "+", "payloadField", ".", "getName", "(", ")", "+", "\"'\"", ")", ";", "}", "}" ]
Find out which method to call on the service bean.
[ "Find", "out", "which", "method", "to", "call", "on", "the", "service", "bean", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/protobuffer/cxf-protobuf/src/main/java/com/google/code/cxf/protobuf/SimpleRpcDispatcher.java#L106-L140
train
ow2-chameleon/fuchsia
bases/protobuffer/cxf-protobuf/src/main/java/com/google/code/cxf/protobuf/SimpleRpcDispatcher.java
SimpleRpcDispatcher.resolvePayloadField
protected FieldDescriptor resolvePayloadField(Message message) { for (FieldDescriptor field : message.getDescriptorForType().getFields()) { if (message.hasField(field)) { return field; } } throw new RuntimeException("No payload found in message " + message); }
java
protected FieldDescriptor resolvePayloadField(Message message) { for (FieldDescriptor field : message.getDescriptorForType().getFields()) { if (message.hasField(field)) { return field; } } throw new RuntimeException("No payload found in message " + message); }
[ "protected", "FieldDescriptor", "resolvePayloadField", "(", "Message", "message", ")", "{", "for", "(", "FieldDescriptor", "field", ":", "message", ".", "getDescriptorForType", "(", ")", ".", "getFields", "(", ")", ")", "{", "if", "(", "message", ".", "hasField", "(", "field", ")", ")", "{", "return", "field", ";", "}", "}", "throw", "new", "RuntimeException", "(", "\"No payload found in message \"", "+", "message", ")", ";", "}" ]
Find out which field in the incoming message contains the payload that is. delivered to the service method.
[ "Find", "out", "which", "field", "in", "the", "incoming", "message", "contains", "the", "payload", "that", "is", ".", "delivered", "to", "the", "service", "method", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/protobuffer/cxf-protobuf/src/main/java/com/google/code/cxf/protobuf/SimpleRpcDispatcher.java#L146-L154
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/declaration/Status.java
Status.from
public static Status from(Set<ServiceReference> serviceReferencesBound, Set<ServiceReference> serviceReferencesHandled) { if (serviceReferencesBound == null && serviceReferencesHandled == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesBound == null" + "and serviceReferencesHandled == null"); } else if (serviceReferencesBound == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesBound == null"); } else if (serviceReferencesHandled == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesHandled == null"); } return new Status(serviceReferencesBound, serviceReferencesHandled); }
java
public static Status from(Set<ServiceReference> serviceReferencesBound, Set<ServiceReference> serviceReferencesHandled) { if (serviceReferencesBound == null && serviceReferencesHandled == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesBound == null" + "and serviceReferencesHandled == null"); } else if (serviceReferencesBound == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesBound == null"); } else if (serviceReferencesHandled == null) { throw new IllegalArgumentException("Cannot create a status with serviceReferencesHandled == null"); } return new Status(serviceReferencesBound, serviceReferencesHandled); }
[ "public", "static", "Status", "from", "(", "Set", "<", "ServiceReference", ">", "serviceReferencesBound", ",", "Set", "<", "ServiceReference", ">", "serviceReferencesHandled", ")", "{", "if", "(", "serviceReferencesBound", "==", "null", "&&", "serviceReferencesHandled", "==", "null", ")", "{", "throw", "new", "IllegalArgumentException", "(", "\"Cannot create a status with serviceReferencesBound == null\"", "+", "\"and serviceReferencesHandled == null\"", ")", ";", "}", "else", "if", "(", "serviceReferencesBound", "==", "null", ")", "{", "throw", "new", "IllegalArgumentException", "(", "\"Cannot create a status with serviceReferencesBound == null\"", ")", ";", "}", "else", "if", "(", "serviceReferencesHandled", "==", "null", ")", "{", "throw", "new", "IllegalArgumentException", "(", "\"Cannot create a status with serviceReferencesHandled == null\"", ")", ";", "}", "return", "new", "Status", "(", "serviceReferencesBound", ",", "serviceReferencesHandled", ")", ";", "}" ]
Creates a status instance from the given serviceReferences. The given list is copied to a new set made immutable. @param serviceReferencesBound the set of ServiceReference which are bound to the declaration. @param serviceReferencesHandled the set of ServiceReference which are handling the declaration. @return the new instance of status
[ "Creates", "a", "status", "instance", "from", "the", "given", "serviceReferences", ".", "The", "given", "list", "is", "copied", "to", "a", "new", "set", "made", "immutable", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/declaration/Status.java#L72-L82
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveBasicCommandClass.java
ZWaveBasicCommandClass.getValueMessage
public SerialMessage getValueMessage() { logger.debug("Creating new message for application command BASIC_GET for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessageClass.SendData, SerialMessageType.Request, SerialMessageClass.ApplicationCommandHandler, SerialMessagePriority.Get); byte[] newPayload = { (byte) this.getNode().getNodeId(), 2, (byte) getCommandClass().getKey(), (byte) BASIC_GET }; result.setMessagePayload(newPayload); return result; }
java
public SerialMessage getValueMessage() { logger.debug("Creating new message for application command BASIC_GET for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessageClass.SendData, SerialMessageType.Request, SerialMessageClass.ApplicationCommandHandler, SerialMessagePriority.Get); byte[] newPayload = { (byte) this.getNode().getNodeId(), 2, (byte) getCommandClass().getKey(), (byte) BASIC_GET }; result.setMessagePayload(newPayload); return result; }
[ "public", "SerialMessage", "getValueMessage", "(", ")", "{", "logger", ".", "debug", "(", "\"Creating new message for application command BASIC_GET for node {}\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ")", ";", "SerialMessage", "result", "=", "new", "SerialMessage", "(", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "SerialMessageClass", ".", "SendData", ",", "SerialMessageType", ".", "Request", ",", "SerialMessageClass", ".", "ApplicationCommandHandler", ",", "SerialMessagePriority", ".", "Get", ")", ";", "byte", "[", "]", "newPayload", "=", "{", "(", "byte", ")", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "2", ",", "(", "byte", ")", "getCommandClass", "(", ")", ".", "getKey", "(", ")", ",", "(", "byte", ")", "BASIC_GET", "}", ";", "result", ".", "setMessagePayload", "(", "newPayload", ")", ";", "return", "result", ";", "}" ]
Gets a SerialMessage with the BASIC GET command @return the serial message
[ "Gets", "a", "SerialMessage", "with", "the", "BASIC", "GET", "command" ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveBasicCommandClass.java#L154-L163
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveBasicCommandClass.java
ZWaveBasicCommandClass.setValueMessage
public SerialMessage setValueMessage(int level) { logger.debug("Creating new message for application command BASIC_SET for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessageClass.SendData, SerialMessageType.Request, SerialMessageClass.SendData, SerialMessagePriority.Set); byte[] newPayload = { (byte) this.getNode().getNodeId(), 3, (byte) getCommandClass().getKey(), (byte) BASIC_SET, (byte) level }; result.setMessagePayload(newPayload); return result; }
java
public SerialMessage setValueMessage(int level) { logger.debug("Creating new message for application command BASIC_SET for node {}", this.getNode().getNodeId()); SerialMessage result = new SerialMessage(this.getNode().getNodeId(), SerialMessageClass.SendData, SerialMessageType.Request, SerialMessageClass.SendData, SerialMessagePriority.Set); byte[] newPayload = { (byte) this.getNode().getNodeId(), 3, (byte) getCommandClass().getKey(), (byte) BASIC_SET, (byte) level }; result.setMessagePayload(newPayload); return result; }
[ "public", "SerialMessage", "setValueMessage", "(", "int", "level", ")", "{", "logger", ".", "debug", "(", "\"Creating new message for application command BASIC_SET for node {}\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ")", ";", "SerialMessage", "result", "=", "new", "SerialMessage", "(", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "SerialMessageClass", ".", "SendData", ",", "SerialMessageType", ".", "Request", ",", "SerialMessageClass", ".", "SendData", ",", "SerialMessagePriority", ".", "Set", ")", ";", "byte", "[", "]", "newPayload", "=", "{", "(", "byte", ")", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "3", ",", "(", "byte", ")", "getCommandClass", "(", ")", ".", "getKey", "(", ")", ",", "(", "byte", ")", "BASIC_SET", ",", "(", "byte", ")", "level", "}", ";", "result", ".", "setMessagePayload", "(", "newPayload", ")", ";", "return", "result", ";", "}" ]
Gets a SerialMessage with the BASIC SET command @param the level to set. @return the serial message
[ "Gets", "a", "SerialMessage", "with", "the", "BASIC", "SET", "command" ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveBasicCommandClass.java#L170-L181
train
ow2-chameleon/fuchsia
bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java
HubImpl.subscriptionRequestReceived
public void subscriptionRequestReceived(SubscriptionRequest sr) throws SubscriptionException { LOG.info("Subscriber -> (Hub), new subscription request received.", sr.getCallback()); try { verifySubscriberRequestedSubscription(sr); if ("subscribe".equals(sr.getMode())) { LOG.info("Adding callback {} to the topic {}", sr.getCallback(), sr.getTopic()); addCallbackToTopic(sr.getCallback(), sr.getTopic()); } else if ("unsubscribe".equals(sr.getMode())) { LOG.info("Removing callback {} from the topic {}", sr.getCallback(), sr.getTopic()); removeCallbackToTopic(sr.getCallback(), sr.getTopic()); } } catch (Exception e) { throw new SubscriptionException(e); } }
java
public void subscriptionRequestReceived(SubscriptionRequest sr) throws SubscriptionException { LOG.info("Subscriber -> (Hub), new subscription request received.", sr.getCallback()); try { verifySubscriberRequestedSubscription(sr); if ("subscribe".equals(sr.getMode())) { LOG.info("Adding callback {} to the topic {}", sr.getCallback(), sr.getTopic()); addCallbackToTopic(sr.getCallback(), sr.getTopic()); } else if ("unsubscribe".equals(sr.getMode())) { LOG.info("Removing callback {} from the topic {}", sr.getCallback(), sr.getTopic()); removeCallbackToTopic(sr.getCallback(), sr.getTopic()); } } catch (Exception e) { throw new SubscriptionException(e); } }
[ "public", "void", "subscriptionRequestReceived", "(", "SubscriptionRequest", "sr", ")", "throws", "SubscriptionException", "{", "LOG", ".", "info", "(", "\"Subscriber -> (Hub), new subscription request received.\"", ",", "sr", ".", "getCallback", "(", ")", ")", ";", "try", "{", "verifySubscriberRequestedSubscription", "(", "sr", ")", ";", "if", "(", "\"subscribe\"", ".", "equals", "(", "sr", ".", "getMode", "(", ")", ")", ")", "{", "LOG", ".", "info", "(", "\"Adding callback {} to the topic {}\"", ",", "sr", ".", "getCallback", "(", ")", ",", "sr", ".", "getTopic", "(", ")", ")", ";", "addCallbackToTopic", "(", "sr", ".", "getCallback", "(", ")", ",", "sr", ".", "getTopic", "(", ")", ")", ";", "}", "else", "if", "(", "\"unsubscribe\"", ".", "equals", "(", "sr", ".", "getMode", "(", ")", ")", ")", "{", "LOG", ".", "info", "(", "\"Removing callback {} from the topic {}\"", ",", "sr", ".", "getCallback", "(", ")", ",", "sr", ".", "getTopic", "(", ")", ")", ";", "removeCallbackToTopic", "(", "sr", ".", "getCallback", "(", ")", ",", "sr", ".", "getTopic", "(", ")", ")", ";", "}", "}", "catch", "(", "Exception", "e", ")", "{", "throw", "new", "SubscriptionException", "(", "e", ")", ";", "}", "}" ]
Input method, called by a Subscriber indicating its intent into receive notification about a given topic. @param sr DTO containing the info given by the protocol
[ "Input", "method", "called", "by", "a", "Subscriber", "indicating", "its", "intent", "into", "receive", "notification", "about", "a", "given", "topic", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java#L105-L125
train
ow2-chameleon/fuchsia
bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java
HubImpl.verifySubscriberRequestedSubscription
public Boolean verifySubscriberRequestedSubscription(SubscriptionRequest sr) throws SubscriptionOriginVerificationException { LOG.info("(Hub) -> Subscriber, sending notification to verify the origin of the subscription {}.", sr.getCallback()); SubscriptionConfirmationRequest sc = new SubscriptionConfirmationRequest(sr.getMode(), sr.getTopic(), "challenge", "0"); URI uri; try { uri = new URIBuilder(sr.getCallback()).setParameters(sc.toRequestParameters()).build(); } catch (URISyntaxException e) { throw new SubscriptionOriginVerificationException("URISyntaxException while sending a confirmation of subscription", e); } HttpGet httpGet = new HttpGet(uri); CloseableHttpClient httpclient = HttpClients.createDefault(); CloseableHttpResponse response; try { response = httpclient.execute(httpGet); } catch (IOException e) { throw new SubscriptionOriginVerificationException("IOException while sending a confirmation of subscription", e); } LOG.info("Subscriber replied with the http code {}.", response.getStatusLine().getStatusCode()); Integer returnedCode = response.getStatusLine().getStatusCode(); // if code is a success code return true, else false return (199 < returnedCode) && (returnedCode < 300); }
java
public Boolean verifySubscriberRequestedSubscription(SubscriptionRequest sr) throws SubscriptionOriginVerificationException { LOG.info("(Hub) -> Subscriber, sending notification to verify the origin of the subscription {}.", sr.getCallback()); SubscriptionConfirmationRequest sc = new SubscriptionConfirmationRequest(sr.getMode(), sr.getTopic(), "challenge", "0"); URI uri; try { uri = new URIBuilder(sr.getCallback()).setParameters(sc.toRequestParameters()).build(); } catch (URISyntaxException e) { throw new SubscriptionOriginVerificationException("URISyntaxException while sending a confirmation of subscription", e); } HttpGet httpGet = new HttpGet(uri); CloseableHttpClient httpclient = HttpClients.createDefault(); CloseableHttpResponse response; try { response = httpclient.execute(httpGet); } catch (IOException e) { throw new SubscriptionOriginVerificationException("IOException while sending a confirmation of subscription", e); } LOG.info("Subscriber replied with the http code {}.", response.getStatusLine().getStatusCode()); Integer returnedCode = response.getStatusLine().getStatusCode(); // if code is a success code return true, else false return (199 < returnedCode) && (returnedCode < 300); }
[ "public", "Boolean", "verifySubscriberRequestedSubscription", "(", "SubscriptionRequest", "sr", ")", "throws", "SubscriptionOriginVerificationException", "{", "LOG", ".", "info", "(", "\"(Hub) -> Subscriber, sending notification to verify the origin of the subscription {}.\"", ",", "sr", ".", "getCallback", "(", ")", ")", ";", "SubscriptionConfirmationRequest", "sc", "=", "new", "SubscriptionConfirmationRequest", "(", "sr", ".", "getMode", "(", ")", ",", "sr", ".", "getTopic", "(", ")", ",", "\"challenge\"", ",", "\"0\"", ")", ";", "URI", "uri", ";", "try", "{", "uri", "=", "new", "URIBuilder", "(", "sr", ".", "getCallback", "(", ")", ")", ".", "setParameters", "(", "sc", ".", "toRequestParameters", "(", ")", ")", ".", "build", "(", ")", ";", "}", "catch", "(", "URISyntaxException", "e", ")", "{", "throw", "new", "SubscriptionOriginVerificationException", "(", "\"URISyntaxException while sending a confirmation of subscription\"", ",", "e", ")", ";", "}", "HttpGet", "httpGet", "=", "new", "HttpGet", "(", "uri", ")", ";", "CloseableHttpClient", "httpclient", "=", "HttpClients", ".", "createDefault", "(", ")", ";", "CloseableHttpResponse", "response", ";", "try", "{", "response", "=", "httpclient", ".", "execute", "(", "httpGet", ")", ";", "}", "catch", "(", "IOException", "e", ")", "{", "throw", "new", "SubscriptionOriginVerificationException", "(", "\"IOException while sending a confirmation of subscription\"", ",", "e", ")", ";", "}", "LOG", ".", "info", "(", "\"Subscriber replied with the http code {}.\"", ",", "response", ".", "getStatusLine", "(", ")", ".", "getStatusCode", "(", ")", ")", ";", "Integer", "returnedCode", "=", "response", ".", "getStatusLine", "(", ")", ".", "getStatusCode", "(", ")", ";", "// if code is a success code return true, else false", "return", "(", "199", "<", "returnedCode", ")", "&&", "(", "returnedCode", "<", "300", ")", ";", "}" ]
Output method that sends a subscription confirmation for the subscriber to avoid DoS attacks, or false subscription. @param sr @return True case the subscription was confirmed, or False otherwise @throws org.ow2.chameleon.fuchsia.push.base.hub.exception.SubscriptionOriginVerificationException
[ "Output", "method", "that", "sends", "a", "subscription", "confirmation", "for", "the", "subscriber", "to", "avoid", "DoS", "attacks", "or", "false", "subscription", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java#L134-L165
train
ow2-chameleon/fuchsia
bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java
HubImpl.notifySubscriberCallback
public void notifySubscriberCallback(ContentNotification cn) { String content = fetchContentFromPublisher(cn); distributeContentToSubscribers(content, cn.getUrl()); }
java
public void notifySubscriberCallback(ContentNotification cn) { String content = fetchContentFromPublisher(cn); distributeContentToSubscribers(content, cn.getUrl()); }
[ "public", "void", "notifySubscriberCallback", "(", "ContentNotification", "cn", ")", "{", "String", "content", "=", "fetchContentFromPublisher", "(", "cn", ")", ";", "distributeContentToSubscribers", "(", "content", ",", "cn", ".", "getUrl", "(", ")", ")", ";", "}" ]
Output method responsible for sending the updated content to the Subscribers. @param cn
[ "Output", "method", "responsible", "for", "sending", "the", "updated", "content", "to", "the", "Subscribers", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/bases/push/hub/src/main/java/org/ow2/chameleon/fuchsia/push/base/hub/impl/HubImpl.java#L172-L176
train
thorstenwagner/TraJ
src/main/java/de/biomedical_imaging/traj/math/TrajectorySplineFit.java
TrajectorySplineFit.minDistancePointSpline
public Point2D.Double minDistancePointSpline(Point2D.Double p, int nPointsPerSegment){ double minDistance = Double.MAX_VALUE; Point2D.Double minDistancePoint = null; int numberOfSplines = spline.getN(); double[] knots = spline.getKnots(); for(int i = 0; i < numberOfSplines; i++){ double x = knots[i]; double stopx = knots[i+1]; double dx = (stopx-x)/nPointsPerSegment; for(int j = 0; j < nPointsPerSegment; j++){ Point2D.Double candidate = new Point2D.Double(x, spline.value(x)); double d = p.distance(candidate); if(d<minDistance){ minDistance = d; minDistancePoint = candidate; } x += dx; } } return minDistancePoint; }
java
public Point2D.Double minDistancePointSpline(Point2D.Double p, int nPointsPerSegment){ double minDistance = Double.MAX_VALUE; Point2D.Double minDistancePoint = null; int numberOfSplines = spline.getN(); double[] knots = spline.getKnots(); for(int i = 0; i < numberOfSplines; i++){ double x = knots[i]; double stopx = knots[i+1]; double dx = (stopx-x)/nPointsPerSegment; for(int j = 0; j < nPointsPerSegment; j++){ Point2D.Double candidate = new Point2D.Double(x, spline.value(x)); double d = p.distance(candidate); if(d<minDistance){ minDistance = d; minDistancePoint = candidate; } x += dx; } } return minDistancePoint; }
[ "public", "Point2D", ".", "Double", "minDistancePointSpline", "(", "Point2D", ".", "Double", "p", ",", "int", "nPointsPerSegment", ")", "{", "double", "minDistance", "=", "Double", ".", "MAX_VALUE", ";", "Point2D", ".", "Double", "minDistancePoint", "=", "null", ";", "int", "numberOfSplines", "=", "spline", ".", "getN", "(", ")", ";", "double", "[", "]", "knots", "=", "spline", ".", "getKnots", "(", ")", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "numberOfSplines", ";", "i", "++", ")", "{", "double", "x", "=", "knots", "[", "i", "]", ";", "double", "stopx", "=", "knots", "[", "i", "+", "1", "]", ";", "double", "dx", "=", "(", "stopx", "-", "x", ")", "/", "nPointsPerSegment", ";", "for", "(", "int", "j", "=", "0", ";", "j", "<", "nPointsPerSegment", ";", "j", "++", ")", "{", "Point2D", ".", "Double", "candidate", "=", "new", "Point2D", ".", "Double", "(", "x", ",", "spline", ".", "value", "(", "x", ")", ")", ";", "double", "d", "=", "p", ".", "distance", "(", "candidate", ")", ";", "if", "(", "d", "<", "minDistance", ")", "{", "minDistance", "=", "d", ";", "minDistancePoint", "=", "candidate", ";", "}", "x", "+=", "dx", ";", "}", "}", "return", "minDistancePoint", ";", "}" ]
Finds to a given point p the point on the spline with minimum distance. @param p Point where the nearest distance is searched for @param nPointsPerSegment Number of interpolation points between two support points @return Point spline which has the minimum distance to p
[ "Finds", "to", "a", "given", "point", "p", "the", "point", "on", "the", "spline", "with", "minimum", "distance", "." ]
505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb
https://github.com/thorstenwagner/TraJ/blob/505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb/src/main/java/de/biomedical_imaging/traj/math/TrajectorySplineFit.java#L538-L560
train
thorstenwagner/TraJ
src/main/java/de/biomedical_imaging/traj/math/TrajectorySplineFit.java
TrajectorySplineFit.showTrajectoryAndSpline
public void showTrajectoryAndSpline(){ if(t.getDimension()==2){ double[] xData = new double[rotatedTrajectory.size()]; double[] yData = new double[rotatedTrajectory.size()]; for(int i = 0; i < rotatedTrajectory.size(); i++){ xData[i] = rotatedTrajectory.get(i).x; yData[i] = rotatedTrajectory.get(i).y; } // Create Chart Chart chart = QuickChart.getChart("Spline+Track", "X", "Y", "y(x)", xData, yData); //Add spline support points double[] subxData = new double[splineSupportPoints.size()]; double[] subyData = new double[splineSupportPoints.size()]; for(int i = 0; i < splineSupportPoints.size(); i++){ subxData[i] = splineSupportPoints.get(i).x; subyData[i] = splineSupportPoints.get(i).y; } Series s = chart.addSeries("Spline Support Points", subxData, subyData); s.setLineStyle(SeriesLineStyle.NONE); s.setSeriesType(SeriesType.Line); //ADd spline points int numberInterpolatedPointsPerSegment = 20; int numberOfSplines = spline.getN(); double[] sxData = new double[numberInterpolatedPointsPerSegment*numberOfSplines]; double[] syData = new double[numberInterpolatedPointsPerSegment*numberOfSplines]; double[] knots = spline.getKnots(); for(int i = 0; i < numberOfSplines; i++){ double x = knots[i]; double stopx = knots[i+1]; double dx = (stopx-x)/numberInterpolatedPointsPerSegment; for(int j = 0; j < numberInterpolatedPointsPerSegment; j++){ sxData[i*numberInterpolatedPointsPerSegment+j] = x; syData[i*numberInterpolatedPointsPerSegment+j] = spline.value(x); x += dx; } } s = chart.addSeries("Spline", sxData, syData); s.setLineStyle(SeriesLineStyle.DASH_DASH); s.setMarker(SeriesMarker.NONE); s.setSeriesType(SeriesType.Line); //Show it new SwingWrapper(chart).displayChart(); } }
java
public void showTrajectoryAndSpline(){ if(t.getDimension()==2){ double[] xData = new double[rotatedTrajectory.size()]; double[] yData = new double[rotatedTrajectory.size()]; for(int i = 0; i < rotatedTrajectory.size(); i++){ xData[i] = rotatedTrajectory.get(i).x; yData[i] = rotatedTrajectory.get(i).y; } // Create Chart Chart chart = QuickChart.getChart("Spline+Track", "X", "Y", "y(x)", xData, yData); //Add spline support points double[] subxData = new double[splineSupportPoints.size()]; double[] subyData = new double[splineSupportPoints.size()]; for(int i = 0; i < splineSupportPoints.size(); i++){ subxData[i] = splineSupportPoints.get(i).x; subyData[i] = splineSupportPoints.get(i).y; } Series s = chart.addSeries("Spline Support Points", subxData, subyData); s.setLineStyle(SeriesLineStyle.NONE); s.setSeriesType(SeriesType.Line); //ADd spline points int numberInterpolatedPointsPerSegment = 20; int numberOfSplines = spline.getN(); double[] sxData = new double[numberInterpolatedPointsPerSegment*numberOfSplines]; double[] syData = new double[numberInterpolatedPointsPerSegment*numberOfSplines]; double[] knots = spline.getKnots(); for(int i = 0; i < numberOfSplines; i++){ double x = knots[i]; double stopx = knots[i+1]; double dx = (stopx-x)/numberInterpolatedPointsPerSegment; for(int j = 0; j < numberInterpolatedPointsPerSegment; j++){ sxData[i*numberInterpolatedPointsPerSegment+j] = x; syData[i*numberInterpolatedPointsPerSegment+j] = spline.value(x); x += dx; } } s = chart.addSeries("Spline", sxData, syData); s.setLineStyle(SeriesLineStyle.DASH_DASH); s.setMarker(SeriesMarker.NONE); s.setSeriesType(SeriesType.Line); //Show it new SwingWrapper(chart).displayChart(); } }
[ "public", "void", "showTrajectoryAndSpline", "(", ")", "{", "if", "(", "t", ".", "getDimension", "(", ")", "==", "2", ")", "{", "double", "[", "]", "xData", "=", "new", "double", "[", "rotatedTrajectory", ".", "size", "(", ")", "]", ";", "double", "[", "]", "yData", "=", "new", "double", "[", "rotatedTrajectory", ".", "size", "(", ")", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "rotatedTrajectory", ".", "size", "(", ")", ";", "i", "++", ")", "{", "xData", "[", "i", "]", "=", "rotatedTrajectory", ".", "get", "(", "i", ")", ".", "x", ";", "yData", "[", "i", "]", "=", "rotatedTrajectory", ".", "get", "(", "i", ")", ".", "y", ";", "}", "// Create Chart", "Chart", "chart", "=", "QuickChart", ".", "getChart", "(", "\"Spline+Track\"", ",", "\"X\"", ",", "\"Y\"", ",", "\"y(x)\"", ",", "xData", ",", "yData", ")", ";", "//Add spline support points", "double", "[", "]", "subxData", "=", "new", "double", "[", "splineSupportPoints", ".", "size", "(", ")", "]", ";", "double", "[", "]", "subyData", "=", "new", "double", "[", "splineSupportPoints", ".", "size", "(", ")", "]", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "splineSupportPoints", ".", "size", "(", ")", ";", "i", "++", ")", "{", "subxData", "[", "i", "]", "=", "splineSupportPoints", ".", "get", "(", "i", ")", ".", "x", ";", "subyData", "[", "i", "]", "=", "splineSupportPoints", ".", "get", "(", "i", ")", ".", "y", ";", "}", "Series", "s", "=", "chart", ".", "addSeries", "(", "\"Spline Support Points\"", ",", "subxData", ",", "subyData", ")", ";", "s", ".", "setLineStyle", "(", "SeriesLineStyle", ".", "NONE", ")", ";", "s", ".", "setSeriesType", "(", "SeriesType", ".", "Line", ")", ";", "//ADd spline points", "int", "numberInterpolatedPointsPerSegment", "=", "20", ";", "int", "numberOfSplines", "=", "spline", ".", "getN", "(", ")", ";", "double", "[", "]", "sxData", "=", "new", "double", "[", "numberInterpolatedPointsPerSegment", "*", "numberOfSplines", "]", ";", "double", "[", "]", "syData", "=", "new", "double", "[", "numberInterpolatedPointsPerSegment", "*", "numberOfSplines", "]", ";", "double", "[", "]", "knots", "=", "spline", ".", "getKnots", "(", ")", ";", "for", "(", "int", "i", "=", "0", ";", "i", "<", "numberOfSplines", ";", "i", "++", ")", "{", "double", "x", "=", "knots", "[", "i", "]", ";", "double", "stopx", "=", "knots", "[", "i", "+", "1", "]", ";", "double", "dx", "=", "(", "stopx", "-", "x", ")", "/", "numberInterpolatedPointsPerSegment", ";", "for", "(", "int", "j", "=", "0", ";", "j", "<", "numberInterpolatedPointsPerSegment", ";", "j", "++", ")", "{", "sxData", "[", "i", "*", "numberInterpolatedPointsPerSegment", "+", "j", "]", "=", "x", ";", "syData", "[", "i", "*", "numberInterpolatedPointsPerSegment", "+", "j", "]", "=", "spline", ".", "value", "(", "x", ")", ";", "x", "+=", "dx", ";", "}", "}", "s", "=", "chart", ".", "addSeries", "(", "\"Spline\"", ",", "sxData", ",", "syData", ")", ";", "s", ".", "setLineStyle", "(", "SeriesLineStyle", ".", "DASH_DASH", ")", ";", "s", ".", "setMarker", "(", "SeriesMarker", ".", "NONE", ")", ";", "s", ".", "setSeriesType", "(", "SeriesType", ".", "Line", ")", ";", "//Show it", "new", "SwingWrapper", "(", "chart", ")", ".", "displayChart", "(", ")", ";", "}", "}" ]
Plots the rotated trajectory, spline and support points.
[ "Plots", "the", "rotated", "trajectory", "spline", "and", "support", "points", "." ]
505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb
https://github.com/thorstenwagner/TraJ/blob/505fafb1f2f77a2d67bb2a089a2fdebe2c9bc7cb/src/main/java/de/biomedical_imaging/traj/math/TrajectorySplineFit.java#L604-L658
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyListUtils.java
MyListUtils.getSet
public static <T> Set<T> getSet(Collection<T> collection) { Set<T> set = new LinkedHashSet<T>(); set.addAll(collection); return set; }
java
public static <T> Set<T> getSet(Collection<T> collection) { Set<T> set = new LinkedHashSet<T>(); set.addAll(collection); return set; }
[ "public", "static", "<", "T", ">", "Set", "<", "T", ">", "getSet", "(", "Collection", "<", "T", ">", "collection", ")", "{", "Set", "<", "T", ">", "set", "=", "new", "LinkedHashSet", "<", "T", ">", "(", ")", ";", "set", ".", "addAll", "(", "collection", ")", ";", "return", "set", ";", "}" ]
Convert Collection to Set @param collection Collection @return Set
[ "Convert", "Collection", "to", "Set" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyListUtils.java#L37-L42
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyListUtils.java
MyListUtils.join
public static <T> String join(Collection<T> col, String delim) { StringBuilder sb = new StringBuilder(); Iterator<T> iter = col.iterator(); if (iter.hasNext()) sb.append(iter.next().toString()); while (iter.hasNext()) { sb.append(delim); sb.append(iter.next().toString()); } return sb.toString(); }
java
public static <T> String join(Collection<T> col, String delim) { StringBuilder sb = new StringBuilder(); Iterator<T> iter = col.iterator(); if (iter.hasNext()) sb.append(iter.next().toString()); while (iter.hasNext()) { sb.append(delim); sb.append(iter.next().toString()); } return sb.toString(); }
[ "public", "static", "<", "T", ">", "String", "join", "(", "Collection", "<", "T", ">", "col", ",", "String", "delim", ")", "{", "StringBuilder", "sb", "=", "new", "StringBuilder", "(", ")", ";", "Iterator", "<", "T", ">", "iter", "=", "col", ".", "iterator", "(", ")", ";", "if", "(", "iter", ".", "hasNext", "(", ")", ")", "sb", ".", "append", "(", "iter", ".", "next", "(", ")", ".", "toString", "(", ")", ")", ";", "while", "(", "iter", ".", "hasNext", "(", ")", ")", "{", "sb", ".", "append", "(", "delim", ")", ";", "sb", ".", "append", "(", "iter", ".", "next", "(", ")", ".", "toString", "(", ")", ")", ";", "}", "return", "sb", ".", "toString", "(", ")", ";", "}" ]
Joins a collection in a string using a delimiter @param col Collection @param delim Delimiter @return String
[ "Joins", "a", "collection", "in", "a", "string", "using", "a", "delimiter" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyListUtils.java#L50-L60
train
ow2-chameleon/fuchsia
importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveVersionCommandClass.java
ZWaveVersionCommandClass.checkVersion
public void checkVersion(ZWaveCommandClass commandClass) { ZWaveVersionCommandClass versionCommandClass = (ZWaveVersionCommandClass)this.getNode().getCommandClass(CommandClass.VERSION); if (versionCommandClass == null) { logger.error(String.format("Version command class not supported on node %d," + "reverting to version 1 for command class %s (0x%02x)", this.getNode().getNodeId(), commandClass.getCommandClass().getLabel(), commandClass.getCommandClass().getKey())); return; } this.getController().sendData(versionCommandClass.getCommandClassVersionMessage(commandClass.getCommandClass())); }
java
public void checkVersion(ZWaveCommandClass commandClass) { ZWaveVersionCommandClass versionCommandClass = (ZWaveVersionCommandClass)this.getNode().getCommandClass(CommandClass.VERSION); if (versionCommandClass == null) { logger.error(String.format("Version command class not supported on node %d," + "reverting to version 1 for command class %s (0x%02x)", this.getNode().getNodeId(), commandClass.getCommandClass().getLabel(), commandClass.getCommandClass().getKey())); return; } this.getController().sendData(versionCommandClass.getCommandClassVersionMessage(commandClass.getCommandClass())); }
[ "public", "void", "checkVersion", "(", "ZWaveCommandClass", "commandClass", ")", "{", "ZWaveVersionCommandClass", "versionCommandClass", "=", "(", "ZWaveVersionCommandClass", ")", "this", ".", "getNode", "(", ")", ".", "getCommandClass", "(", "CommandClass", ".", "VERSION", ")", ";", "if", "(", "versionCommandClass", "==", "null", ")", "{", "logger", ".", "error", "(", "String", ".", "format", "(", "\"Version command class not supported on node %d,\"", "+", "\"reverting to version 1 for command class %s (0x%02x)\"", ",", "this", ".", "getNode", "(", ")", ".", "getNodeId", "(", ")", ",", "commandClass", ".", "getCommandClass", "(", ")", ".", "getLabel", "(", ")", ",", "commandClass", ".", "getCommandClass", "(", ")", ".", "getKey", "(", ")", ")", ")", ";", "return", ";", "}", "this", ".", "getController", "(", ")", ".", "sendData", "(", "versionCommandClass", ".", "getCommandClassVersionMessage", "(", "commandClass", ".", "getCommandClass", "(", ")", ")", ")", ";", "}" ]
Check the version of a command class by sending a VERSION_COMMAND_CLASS_GET message to the node. @param commandClass the command class to check the version for.
[ "Check", "the", "version", "of", "a", "command", "class", "by", "sending", "a", "VERSION_COMMAND_CLASS_GET", "message", "to", "the", "node", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/importers/zwave/src/main/java/org/ow2/chameleon/fuchsia/importer/zwave/internal/commandclass/ZWaveVersionCommandClass.java#L209-L222
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.getContent
public static String getContent(String stringUrl) throws IOException { InputStream stream = getContentStream(stringUrl); return MyStreamUtils.readContent(stream); }
java
public static String getContent(String stringUrl) throws IOException { InputStream stream = getContentStream(stringUrl); return MyStreamUtils.readContent(stream); }
[ "public", "static", "String", "getContent", "(", "String", "stringUrl", ")", "throws", "IOException", "{", "InputStream", "stream", "=", "getContentStream", "(", "stringUrl", ")", ";", "return", "MyStreamUtils", ".", "readContent", "(", "stream", ")", ";", "}" ]
Get content for URL only @param stringUrl URL to get content @return the content @throws IOException I/O error happened
[ "Get", "content", "for", "URL", "only" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L49-L52
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.getContentStream
public static InputStream getContentStream(String stringUrl) throws MalformedURLException, IOException { URL url = new URL(stringUrl); URLConnection urlConnection = url.openConnection(); InputStream is = urlConnection.getInputStream(); if ("gzip".equals(urlConnection.getContentEncoding())) { is = new GZIPInputStream(is); } return is; }
java
public static InputStream getContentStream(String stringUrl) throws MalformedURLException, IOException { URL url = new URL(stringUrl); URLConnection urlConnection = url.openConnection(); InputStream is = urlConnection.getInputStream(); if ("gzip".equals(urlConnection.getContentEncoding())) { is = new GZIPInputStream(is); } return is; }
[ "public", "static", "InputStream", "getContentStream", "(", "String", "stringUrl", ")", "throws", "MalformedURLException", ",", "IOException", "{", "URL", "url", "=", "new", "URL", "(", "stringUrl", ")", ";", "URLConnection", "urlConnection", "=", "url", ".", "openConnection", "(", ")", ";", "InputStream", "is", "=", "urlConnection", ".", "getInputStream", "(", ")", ";", "if", "(", "\"gzip\"", ".", "equals", "(", "urlConnection", ".", "getContentEncoding", "(", ")", ")", ")", "{", "is", "=", "new", "GZIPInputStream", "(", "is", ")", ";", "}", "return", "is", ";", "}" ]
Get stream for URL only @param stringUrl URL to get content @return the input stream @throws IOException I/O error happened
[ "Get", "stream", "for", "URL", "only" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L61-L72
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.getResponseHeaders
public static Map<String, List<String>> getResponseHeaders(String stringUrl) throws IOException { return getResponseHeaders(stringUrl, true); }
java
public static Map<String, List<String>> getResponseHeaders(String stringUrl) throws IOException { return getResponseHeaders(stringUrl, true); }
[ "public", "static", "Map", "<", "String", ",", "List", "<", "String", ">", ">", "getResponseHeaders", "(", "String", "stringUrl", ")", "throws", "IOException", "{", "return", "getResponseHeaders", "(", "stringUrl", ",", "true", ")", ";", "}" ]
Get the response headers for URL @param stringUrl URL to use @return headers HTTP Headers @throws IOException I/O error happened
[ "Get", "the", "response", "headers", "for", "URL" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L185-L187
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.getResponseHeaders
public static Map<String, List<String>> getResponseHeaders(String stringUrl, boolean followRedirects) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setInstanceFollowRedirects(followRedirects); InputStream is = conn.getInputStream(); if ("gzip".equals(conn.getContentEncoding())) { is = new GZIPInputStream(is); } Map<String, List<String>> headers = new LinkedHashMap<String, List<String>>(conn.getHeaderFields()); headers.put("X-Content", Arrays.asList(MyStreamUtils.readContent(is))); headers.put("X-URL", Arrays.asList(conn.getURL().toString())); headers.put("X-Status", Arrays.asList(String.valueOf(conn.getResponseCode()))); return headers; }
java
public static Map<String, List<String>> getResponseHeaders(String stringUrl, boolean followRedirects) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setInstanceFollowRedirects(followRedirects); InputStream is = conn.getInputStream(); if ("gzip".equals(conn.getContentEncoding())) { is = new GZIPInputStream(is); } Map<String, List<String>> headers = new LinkedHashMap<String, List<String>>(conn.getHeaderFields()); headers.put("X-Content", Arrays.asList(MyStreamUtils.readContent(is))); headers.put("X-URL", Arrays.asList(conn.getURL().toString())); headers.put("X-Status", Arrays.asList(String.valueOf(conn.getResponseCode()))); return headers; }
[ "public", "static", "Map", "<", "String", ",", "List", "<", "String", ">", ">", "getResponseHeaders", "(", "String", "stringUrl", ",", "boolean", "followRedirects", ")", "throws", "IOException", "{", "URL", "url", "=", "new", "URL", "(", "stringUrl", ")", ";", "HttpURLConnection", "conn", "=", "(", "HttpURLConnection", ")", "url", ".", "openConnection", "(", ")", ";", "conn", ".", "setInstanceFollowRedirects", "(", "followRedirects", ")", ";", "InputStream", "is", "=", "conn", ".", "getInputStream", "(", ")", ";", "if", "(", "\"gzip\"", ".", "equals", "(", "conn", ".", "getContentEncoding", "(", ")", ")", ")", "{", "is", "=", "new", "GZIPInputStream", "(", "is", ")", ";", "}", "Map", "<", "String", ",", "List", "<", "String", ">", ">", "headers", "=", "new", "LinkedHashMap", "<", "String", ",", "List", "<", "String", ">", ">", "(", "conn", ".", "getHeaderFields", "(", ")", ")", ";", "headers", ".", "put", "(", "\"X-Content\"", ",", "Arrays", ".", "asList", "(", "MyStreamUtils", ".", "readContent", "(", "is", ")", ")", ")", ";", "headers", ".", "put", "(", "\"X-URL\"", ",", "Arrays", ".", "asList", "(", "conn", ".", "getURL", "(", ")", ".", "toString", "(", ")", ")", ")", ";", "headers", ".", "put", "(", "\"X-Status\"", ",", "Arrays", ".", "asList", "(", "String", ".", "valueOf", "(", "conn", ".", "getResponseCode", "(", ")", ")", ")", ")", ";", "return", "headers", ";", "}" ]
Get the response headers for URL, following redirects @param stringUrl URL to use @param followRedirects whether to follow redirects @return headers HTTP Headers @throws IOException I/O error happened
[ "Get", "the", "response", "headers", "for", "URL", "following", "redirects" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L197-L214
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.downloadUrl
public static void downloadUrl(String stringUrl, Map<String, String> parameters, File fileToSave) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setFollowRedirects(true); if (parameters != null) { for (Entry<String, String> entry : parameters.entrySet()) { conn.addRequestProperty(entry.getKey(), entry.getValue()); } } boolean redirect = false; // normally, 3xx is redirect int status = conn.getResponseCode(); if (status != HttpURLConnection.HTTP_OK) { if (status == HttpURLConnection.HTTP_MOVED_TEMP || status == HttpURLConnection.HTTP_MOVED_PERM || status == HttpURLConnection.HTTP_SEE_OTHER) redirect = true; } if (redirect) { // get redirect url from "location" header field String newUrl = conn.getHeaderField("Location"); // get the cookie if need, for login String cookies = conn.getHeaderField("Set-Cookie"); // open the new connnection again conn = (HttpURLConnection) new URL(newUrl).openConnection(); conn.setRequestProperty("Cookie", cookies); } byte[] data = MyStreamUtils.readContentBytes(conn.getInputStream()); FileOutputStream fos = new FileOutputStream(fileToSave); fos.write(data); fos.close(); }
java
public static void downloadUrl(String stringUrl, Map<String, String> parameters, File fileToSave) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setFollowRedirects(true); if (parameters != null) { for (Entry<String, String> entry : parameters.entrySet()) { conn.addRequestProperty(entry.getKey(), entry.getValue()); } } boolean redirect = false; // normally, 3xx is redirect int status = conn.getResponseCode(); if (status != HttpURLConnection.HTTP_OK) { if (status == HttpURLConnection.HTTP_MOVED_TEMP || status == HttpURLConnection.HTTP_MOVED_PERM || status == HttpURLConnection.HTTP_SEE_OTHER) redirect = true; } if (redirect) { // get redirect url from "location" header field String newUrl = conn.getHeaderField("Location"); // get the cookie if need, for login String cookies = conn.getHeaderField("Set-Cookie"); // open the new connnection again conn = (HttpURLConnection) new URL(newUrl).openConnection(); conn.setRequestProperty("Cookie", cookies); } byte[] data = MyStreamUtils.readContentBytes(conn.getInputStream()); FileOutputStream fos = new FileOutputStream(fileToSave); fos.write(data); fos.close(); }
[ "public", "static", "void", "downloadUrl", "(", "String", "stringUrl", ",", "Map", "<", "String", ",", "String", ">", "parameters", ",", "File", "fileToSave", ")", "throws", "IOException", "{", "URL", "url", "=", "new", "URL", "(", "stringUrl", ")", ";", "HttpURLConnection", "conn", "=", "(", "HttpURLConnection", ")", "url", ".", "openConnection", "(", ")", ";", "conn", ".", "setFollowRedirects", "(", "true", ")", ";", "if", "(", "parameters", "!=", "null", ")", "{", "for", "(", "Entry", "<", "String", ",", "String", ">", "entry", ":", "parameters", ".", "entrySet", "(", ")", ")", "{", "conn", ".", "addRequestProperty", "(", "entry", ".", "getKey", "(", ")", ",", "entry", ".", "getValue", "(", ")", ")", ";", "}", "}", "boolean", "redirect", "=", "false", ";", "// normally, 3xx is redirect", "int", "status", "=", "conn", ".", "getResponseCode", "(", ")", ";", "if", "(", "status", "!=", "HttpURLConnection", ".", "HTTP_OK", ")", "{", "if", "(", "status", "==", "HttpURLConnection", ".", "HTTP_MOVED_TEMP", "||", "status", "==", "HttpURLConnection", ".", "HTTP_MOVED_PERM", "||", "status", "==", "HttpURLConnection", ".", "HTTP_SEE_OTHER", ")", "redirect", "=", "true", ";", "}", "if", "(", "redirect", ")", "{", "// get redirect url from \"location\" header field", "String", "newUrl", "=", "conn", ".", "getHeaderField", "(", "\"Location\"", ")", ";", "// get the cookie if need, for login", "String", "cookies", "=", "conn", ".", "getHeaderField", "(", "\"Set-Cookie\"", ")", ";", "// open the new connnection again", "conn", "=", "(", "HttpURLConnection", ")", "new", "URL", "(", "newUrl", ")", ".", "openConnection", "(", ")", ";", "conn", ".", "setRequestProperty", "(", "\"Cookie\"", ",", "cookies", ")", ";", "}", "byte", "[", "]", "data", "=", "MyStreamUtils", ".", "readContentBytes", "(", "conn", ".", "getInputStream", "(", ")", ")", ";", "FileOutputStream", "fos", "=", "new", "FileOutputStream", "(", "fileToSave", ")", ";", "fos", ".", "write", "(", "data", ")", ";", "fos", ".", "close", "(", ")", ";", "}" ]
Download a specified URL to a file @param stringUrl URL to use @param parameters HTTP Headers @param fileToSave File to save content @throws IOException I/O error happened
[ "Download", "a", "specified", "URL", "to", "a", "file" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L224-L266
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.getContentBytes
public static byte[] getContentBytes(String stringUrl) throws IOException { URL url = new URL(stringUrl); byte[] data = MyStreamUtils.readContentBytes(url.openStream()); return data; }
java
public static byte[] getContentBytes(String stringUrl) throws IOException { URL url = new URL(stringUrl); byte[] data = MyStreamUtils.readContentBytes(url.openStream()); return data; }
[ "public", "static", "byte", "[", "]", "getContentBytes", "(", "String", "stringUrl", ")", "throws", "IOException", "{", "URL", "url", "=", "new", "URL", "(", "stringUrl", ")", ";", "byte", "[", "]", "data", "=", "MyStreamUtils", ".", "readContentBytes", "(", "url", ".", "openStream", "(", ")", ")", ";", "return", "data", ";", "}" ]
Return the content from an URL in byte array @param stringUrl URL to get @return byte array @throws IOException I/O error happened
[ "Return", "the", "content", "from", "an", "URL", "in", "byte", "array" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L275-L279
train
brunocvcunha/inutils4j
src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java
MyHTTPUtils.httpRequest
public static String httpRequest(String stringUrl, String method, Map<String, String> parameters, String input, String charset) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setDoOutput(true); conn.setRequestMethod(method); if (parameters != null) { for (Entry<String, String> entry : parameters.entrySet()) { conn.addRequestProperty(entry.getKey(), entry.getValue()); } } if (input != null) { OutputStream output = null; try { output = conn.getOutputStream(); output.write(input.getBytes(charset)); } finally { if (output != null) { output.close(); } } } return MyStreamUtils.readContent(conn.getInputStream()); }
java
public static String httpRequest(String stringUrl, String method, Map<String, String> parameters, String input, String charset) throws IOException { URL url = new URL(stringUrl); HttpURLConnection conn = (HttpURLConnection) url.openConnection(); conn.setDoOutput(true); conn.setRequestMethod(method); if (parameters != null) { for (Entry<String, String> entry : parameters.entrySet()) { conn.addRequestProperty(entry.getKey(), entry.getValue()); } } if (input != null) { OutputStream output = null; try { output = conn.getOutputStream(); output.write(input.getBytes(charset)); } finally { if (output != null) { output.close(); } } } return MyStreamUtils.readContent(conn.getInputStream()); }
[ "public", "static", "String", "httpRequest", "(", "String", "stringUrl", ",", "String", "method", ",", "Map", "<", "String", ",", "String", ">", "parameters", ",", "String", "input", ",", "String", "charset", ")", "throws", "IOException", "{", "URL", "url", "=", "new", "URL", "(", "stringUrl", ")", ";", "HttpURLConnection", "conn", "=", "(", "HttpURLConnection", ")", "url", ".", "openConnection", "(", ")", ";", "conn", ".", "setDoOutput", "(", "true", ")", ";", "conn", ".", "setRequestMethod", "(", "method", ")", ";", "if", "(", "parameters", "!=", "null", ")", "{", "for", "(", "Entry", "<", "String", ",", "String", ">", "entry", ":", "parameters", ".", "entrySet", "(", ")", ")", "{", "conn", ".", "addRequestProperty", "(", "entry", ".", "getKey", "(", ")", ",", "entry", ".", "getValue", "(", ")", ")", ";", "}", "}", "if", "(", "input", "!=", "null", ")", "{", "OutputStream", "output", "=", "null", ";", "try", "{", "output", "=", "conn", ".", "getOutputStream", "(", ")", ";", "output", ".", "write", "(", "input", ".", "getBytes", "(", "charset", ")", ")", ";", "}", "finally", "{", "if", "(", "output", "!=", "null", ")", "{", "output", ".", "close", "(", ")", ";", "}", "}", "}", "return", "MyStreamUtils", ".", "readContent", "(", "conn", ".", "getInputStream", "(", ")", ")", ";", "}" ]
Execute a HTTP request @param stringUrl URL @param method Method to use @param parameters Params @param input Input / Payload @param charset Input Charset @return response @throws IOException
[ "Execute", "a", "HTTP", "request" ]
223c4443c2cee662576ce644e552588fa114aa94
https://github.com/brunocvcunha/inutils4j/blob/223c4443c2cee662576ce644e552588fa114aa94/src/main/java/org/brunocvcunha/inutils4j/MyHTTPUtils.java#L293-L319
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java
LinkerDeclarationsManager.add
public void add(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); boolean matchFilter = declarationFilter.matches(declaration.getMetadata()); declarations.put(declarationSRef, matchFilter); }
java
public void add(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); boolean matchFilter = declarationFilter.matches(declaration.getMetadata()); declarations.put(declarationSRef, matchFilter); }
[ "public", "void", "add", "(", "ServiceReference", "<", "D", ">", "declarationSRef", ")", "{", "D", "declaration", "=", "getDeclaration", "(", "declarationSRef", ")", ";", "boolean", "matchFilter", "=", "declarationFilter", ".", "matches", "(", "declaration", ".", "getMetadata", "(", ")", ")", ";", "declarations", ".", "put", "(", "declarationSRef", ",", "matchFilter", ")", ";", "}" ]
Add the declarationSRef to the DeclarationsManager. Calculate the matching of the Declaration with the DeclarationFilter of the Linker. @param declarationSRef the ServiceReference<D> of the Declaration
[ "Add", "the", "declarationSRef", "to", "the", "DeclarationsManager", ".", "Calculate", "the", "matching", "of", "the", "Declaration", "with", "the", "DeclarationFilter", "of", "the", "Linker", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java#L60-L64
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java
LinkerDeclarationsManager.createLinks
public void createLinks(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); for (ServiceReference<S> serviceReference : linkerManagement.getMatchedBinderServiceRef()) { if (linkerManagement.canBeLinked(declaration, serviceReference)) { linkerManagement.link(declaration, serviceReference); } } }
java
public void createLinks(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); for (ServiceReference<S> serviceReference : linkerManagement.getMatchedBinderServiceRef()) { if (linkerManagement.canBeLinked(declaration, serviceReference)) { linkerManagement.link(declaration, serviceReference); } } }
[ "public", "void", "createLinks", "(", "ServiceReference", "<", "D", ">", "declarationSRef", ")", "{", "D", "declaration", "=", "getDeclaration", "(", "declarationSRef", ")", ";", "for", "(", "ServiceReference", "<", "S", ">", "serviceReference", ":", "linkerManagement", ".", "getMatchedBinderServiceRef", "(", ")", ")", "{", "if", "(", "linkerManagement", ".", "canBeLinked", "(", "declaration", ",", "serviceReference", ")", ")", "{", "linkerManagement", ".", "link", "(", "declaration", ",", "serviceReference", ")", ";", "}", "}", "}" ]
Create all the links possible between the Declaration and all the ImporterService matching the. ImporterServiceFilter of the Linker. @param declarationSRef the ServiceReference<Declaration> of the Declaration
[ "Create", "all", "the", "links", "possible", "between", "the", "Declaration", "and", "all", "the", "ImporterService", "matching", "the", ".", "ImporterServiceFilter", "of", "the", "Linker", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java#L114-L121
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java
LinkerDeclarationsManager.removeLinks
public void removeLinks(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); for (ServiceReference serviceReference : declaration.getStatus().getServiceReferencesBounded()) { // FIXME : In case of multiples Linker, we will remove the link of all the ServiceReference // FIXME : event the ones which dun know nothing about linkerManagement.unlink(declaration, serviceReference); } }
java
public void removeLinks(ServiceReference<D> declarationSRef) { D declaration = getDeclaration(declarationSRef); for (ServiceReference serviceReference : declaration.getStatus().getServiceReferencesBounded()) { // FIXME : In case of multiples Linker, we will remove the link of all the ServiceReference // FIXME : event the ones which dun know nothing about linkerManagement.unlink(declaration, serviceReference); } }
[ "public", "void", "removeLinks", "(", "ServiceReference", "<", "D", ">", "declarationSRef", ")", "{", "D", "declaration", "=", "getDeclaration", "(", "declarationSRef", ")", ";", "for", "(", "ServiceReference", "serviceReference", ":", "declaration", ".", "getStatus", "(", ")", ".", "getServiceReferencesBounded", "(", ")", ")", "{", "// FIXME : In case of multiples Linker, we will remove the link of all the ServiceReference", "// FIXME : event the ones which dun know nothing about", "linkerManagement", ".", "unlink", "(", "declaration", ",", "serviceReference", ")", ";", "}", "}" ]
Remove all the existing links of the Declaration. @param declarationSRef the ServiceReference<Declaration> of the Declaration
[ "Remove", "all", "the", "existing", "links", "of", "the", "Declaration", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java#L128-L135
train
ow2-chameleon/fuchsia
core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java
LinkerDeclarationsManager.getMatchedDeclaration
public Set<D> getMatchedDeclaration() { Set<D> bindedSet = new HashSet<D>(); for (Map.Entry<ServiceReference<D>, Boolean> e : declarations.entrySet()) { if (e.getValue()) { bindedSet.add(getDeclaration(e.getKey())); } } return bindedSet; }
java
public Set<D> getMatchedDeclaration() { Set<D> bindedSet = new HashSet<D>(); for (Map.Entry<ServiceReference<D>, Boolean> e : declarations.entrySet()) { if (e.getValue()) { bindedSet.add(getDeclaration(e.getKey())); } } return bindedSet; }
[ "public", "Set", "<", "D", ">", "getMatchedDeclaration", "(", ")", "{", "Set", "<", "D", ">", "bindedSet", "=", "new", "HashSet", "<", "D", ">", "(", ")", ";", "for", "(", "Map", ".", "Entry", "<", "ServiceReference", "<", "D", ">", ",", "Boolean", ">", "e", ":", "declarations", ".", "entrySet", "(", ")", ")", "{", "if", "(", "e", ".", "getValue", "(", ")", ")", "{", "bindedSet", ".", "add", "(", "getDeclaration", "(", "e", ".", "getKey", "(", ")", ")", ")", ";", "}", "}", "return", "bindedSet", ";", "}" ]
Return a set of all the Declaration matching the DeclarationFilter of the. Linker. @return a set of all the Declaration matching the DeclarationFilter of the Linker.
[ "Return", "a", "set", "of", "all", "the", "Declaration", "matching", "the", "DeclarationFilter", "of", "the", ".", "Linker", "." ]
4e9318eadbdeb945e529789f573b45386e619bed
https://github.com/ow2-chameleon/fuchsia/blob/4e9318eadbdeb945e529789f573b45386e619bed/core/src/main/java/org/ow2/chameleon/fuchsia/core/component/manager/LinkerDeclarationsManager.java#L144-L152
train