Этот вопрос был задан в контексте forEach
.
Комментарий (после того, как ответ был принят): Я принял ответ @nullpointer, но он правильный только вв контексте моего примера кода, а не в общем вопросе о разрушающей способности снижения ..
Вопрос:
Но есть ли способ в reduce
или в collect
преждевременно «сломаться», не пройдя все элементы потока?(Это означает, что мне нужно накапливать состояние во время итерации, поэтому я использую reduce
или collect
).
Вкратце: мне нужно итерировать все элементы потока (элементы целые и упорядочены от малого к большому), но посмотрите на 2 соседних элемента и сравните их, если разница между ними больше 1, мне нужно «разбить» и остановить «накапливать состояние» и мне нужно вернуть последний переданный элемент.
Вариантбросить RuntimeException
и вариант для передачи внешнего состояния - плохо для меня.
Пример кода с комментариями:
public class Solution {
public int solution(int[] A) {
Supplier<int[]> supplier = new Supplier<int[]>() {
@Override
public int[] get() {
//the array describes the accumulated state:
//first element in the array , if set > 0, means - the result is achieved, we can stop iterate over the rest elements
//second element in the array will represent the "previous element" while iterating the stream
return new int[]{0, 0};
}
};
//the array in accumulator describes the accumulated state:
//first element in the array , if set > 0, means - the result is achieved, we can stop iterate over the rest elements
//second element in the array will represent the "previous element" while iterating the stream
ObjIntConsumer<int[]> accumulator = new ObjIntConsumer<int[]>() {
@Override
public void accept(int[] sett, int value) {
if (sett[0] > 0) {
;//do nothing, result is set
} else {
if (sett[1] > 0) {//previous element exists
if (sett[1] + 1 < value) {
sett[0] = sett[1] + 1;
} else {
sett[1] = value;
}
} else {
sett[1] = value;
}
}
}
};
BiConsumer<int[], int[]> combiner = new BiConsumer<int[], int[]>() {
@Override
public void accept(int[] sett1, int[] sett2) {
System.out.println("Combiner is not used, we are in sequence");
}
};
int result[] = Arrays.stream(A).sorted().filter(value -> value > 0).collect(supplier, accumulator, combiner);
return result[0];
}
/**
* We have an input array
* We need order it, filter out all elements that <=0 (to have only positive)
* We need find a first minimal integer that does not exist in the array
* In this example it is 5
* Because 4,6,16,32,67 positive integers array is having 5 like a minimum that not in the array (between 4 and 6)
*
* @param args
*/
public static void main(String[] args) {
int[] a = new int[]{-2, 4, 6, 16, -7, 0, 0, 0, 32, 67};
Solution s = new Solution();
System.out.println("The value is " + s.solution(a));
}
}