Potrebbe essere un po 'fuori tema, ma questo è quello che abbiamo List<T>
piuttosto cheStream<T>
.
Per prima cosa devi avere un take
metodo util. Questo metodo accetta i primi n
elementi:
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);
}
}
funziona come 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));
ora sarà abbastanza semplice scrivere un takeWhile
metodo basato sutake
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
}
funziona così:
assertEquals(newArrayList(1, 2, 3), takeWhile(newArrayList(1, 2, 3, 4, 3, 2, 1), i -> i < 4));
questa implementazione ripeterà parzialmente l'elenco per alcune volte ma non aggiungerà O(n^2)
operazioni di aggiunta . Spero sia accettabile