我想知道,如果在ruby中有一些流操作可以作为each_with_index
。
each_with_index
迭代值以及值的索引。
答案 0 :(得分:5)
没有专门为此目的的流操作。但您可以通过多种方式模仿功能。
索引变量:以下方法适用于顺序流。
int[] index = { 0 };
stream.forEach(item -> System.out.printf("%s %d\n", item, index[0]++));
外部迭代:以下方法适用于并行流,只要原始集合支持随机访问。
List<String> tokens = ...;
IntStream.range(0, tokens.size()).forEach(
index -> System.out.printf("%s %d\n", tokens.get(index), index));
答案 1 :(得分:2)
您可以在Eclipse Collections(以前的GS Collections)中使用forEachWithIndex()
。
MutableList<Integer> elements = FastList.newList();
IntArrayList indexes = new IntArrayList();
MutableList<Integer> collection = this.newWith(1, 2, 3, 4);
collection.forEachWithIndex((Integer object, int index) -> {
elements.add(object);
indexes.add(index);
});
Assert.assertEquals(FastList.newListWith(1, 2, 3, 4), elements);
Assert.assertEquals(IntArrayList.newListWith(0, 1, 2, 3), indexes);
如果您无法将Collection
转换为GS收集类型,则可以使用其中一个适配器,例如ListAdapter
。
List<Integer> list = Arrays.asList(1, 2, 3, 4);
ListIterable<Integer> collection = ListAdapter.adapt(list);
collection.forEachWithIndex((object, index) -> {
elements.add(object);
indexes.add(index);
});
注意:我是Eclipse Collections的提交者。
答案 2 :(得分:2)
你可以reduce
<T> void forEachIndexed(Stream<T> stream, BiConsumer<Integer, T> consumer) {
stream.reduce(0, (index, t) -> {
consumer.accept(index, t);
return index + 1;
}, Integer::max);
}
这样:
List<Integer> ints = Arrays.asList(1, 2, 4, 6, 8, 16, 32);
forEachIndexed(ints.stream(), (idx, el) -> {
System.out.println(idx + ": " + el);
});
答案 3 :(得分:1)
使用累加器(第二个参数)进行流减少操作以替代副作用。如果您不需要reduce操作的结果,则第3个参数可以是任何函数。
List<String> tokens = Arrays.asList("A", "B", "C", "D");
tokens.stream().reduce(1, (i, str) -> {
System.out.printf("%s %d\n", str, i);
return i + 1;
}, Integer::max);
PS:虽然有可能,但我个人不满意滥用减少功能。 :)
答案 4 :(得分:1)
使用实用程序库质子包很容易:https://github.com/poetix/protonpack
Stream<String> source = Stream.of("Foo", "Bar", "Baz");
List<Indexed<String>> zipped = StreamUtils.zipWithIndex(source).collect(Collectors.toList());
assertThat(zipped, contains(
Indexed.index(0, "Foo"),
Indexed.index(1, "Bar"),
Indexed.index(2, "Baz")));