Java 8中是否有任何方法可以在原始流上使用Stream::collect(Collector)?
通常情况下,Stream<Integer>
有两种收集方法:
<R,A> R collect(Collector<? super T,A,R> collector)
<R> R collect(Supplier<R> supplier,
BiConsumer<R,? super T> accumulator,
BiConsumer<R,R> combiner)
但是IntStream
只有一种收集方法:
现在作为示例代码我有以下内容:
@Override
public void run() {
result = LongStream.range(1, maximum).boxed()
.collect(Collectors.toMap(i -> i, i -> (int)Iterators.longStream(new CollatzGenerator(i)).count()))
.entrySet().stream()
.max(Comparator.comparingLong(Map.Entry::getValue))
.get().getKey();
}
如您所见,我首先打包基元以便能够使用Collectors.
方法。
我有什么方法可以使用原语,但仍然有Collectors.toMap
的相同代码
?
答案 0 :(得分:4)
由于Map
是一个通用接口,因此无法在没有装箱的情况下创建Map
。但是,当您想要创建另一个流(只有两个值包含在Map
中)时,将项目收集到Map.Entry
中是没有意义的。您只需创建Map.Entry
实例而无需收集值:
LongStream.range(1, maximum)
.mapToObj(i->new AbstractMap.SimpleEntry<>(i, Iterators.longStream(new CollatzGenerator(i)).count()))
.max(Comparator.comparingLong(Map.Entry::getValue))
.get().getKey();
这仍然会进行自动装箱,但是一旦你在这一点上,你也可以通过自己创建一个合适的值持有者类来摆脱Map.Entry
:
static final class TwoLongs {
final long key, value;
TwoLongs(long k, long v) { key=k; value=v; }
public long getKey() { return key; }
public long getValue() { return value; }
}
使用此持有者类,您可以处理数据而无需装箱long
s:
LongStream.range(1, maximum)
.mapToObj(i->new TwoLongs(i, Iterators.longStream(new CollatzGenerator(i)).count()))
.max(Comparator.comparingLong(TwoLongs::getValue))
.get().getKey();
嗯,它仍然是某种拳击,但创建了一个项目(TwoLongs
实例)而不是三个(一个Map.Entry
和两个Long
s。)
答案 1 :(得分:0)
long result = LongStream.range(0, 9)
.mapToObj(i -> new long[]{i, i})
.max(Comparator.comparingLong(pair -> pair[1]))
.get()[0];