Có thể hơi lạc đề nhưng đây là những gì chúng ta có List<T>
thay vìStream<T>
.
Trước tiên, bạn cần phải có một take
phương pháp sử dụng. Phương pháp này có n
các yếu tố đầu tiên :
static <T> List<T> take(List<T> l, int n) {
if (n <= 0) {
return newArrayList();
} else {
int takeTo = Math.min(Math.max(n, 0), l.size());
return l.subList(0, takeTo);
}
}
nó chỉ hoạt động như scala.List.take
assertEquals(newArrayList(1, 2, 3), take(newArrayList(1, 2, 3, 4, 5), 3));
assertEquals(newArrayList(1, 2, 3), take(newArrayList(1, 2, 3), 5));
assertEquals(newArrayList(), take(newArrayList(1, 2, 3), -1));
assertEquals(newArrayList(), take(newArrayList(1, 2, 3), 0));
bây giờ sẽ khá đơn giản để viết một takeWhile
phương thức dựa trêntake
static <T> List<T> takeWhile(List<T> l, Predicate<T> p) {
return l.stream().
filter(p.negate()).findFirst(). // find first element when p is false
map(l::indexOf). // find the index of that element
map(i -> take(l, i)). // take up to the index
orElse(l); // return full list if p is true for all elements
}
nó hoạt động như thế này:
assertEquals(newArrayList(1, 2, 3), takeWhile(newArrayList(1, 2, 3, 4, 3, 2, 1), i -> i < 4));
việc thực hiện này lặp lại một phần danh sách một vài lần nhưng nó sẽ không thêm các O(n^2)
hoạt động. Hy vọng đó là chấp nhận được.