3

有人可以告诉我为什么会发生这种情况以及这是预期的行为还是错误

List<Integer> a = Arrays.asList(1,1,3,3);

a.parallelStream().filter(Objects::nonNull)
        .filter(value -> value > 2)
        .reduce(1,Integer::sum)

回答:10

但是如果我们使用stream而不是parallelStream我得到正确和预期 answer 7

4

1 回答 1

5

reduce 的第一个参数称为“identity”而不是“initialValue”。

1根据加法是没有身份的。1是乘法的恒等式。

0虽然如果你想对元素求和,你需要提供。


Java 使用“identity”而不是“initialValue”,因为这个小技巧可以reduce轻松实现并行化。


在并行执行中,每个线程将在流的一部分上运行reduce,当线程完成时,它们将使用完全相同的reduce函数进行组合。

虽然它看起来像这样:

mainThread:
  start thread1;
  start thread2;
  wait till both are finished;

thread1:
  return sum(1, 3); // your reduce function applied to a part of the stream

thread2:
  return sum(1, 3);

// when thread1 and thread2 are finished:
mainThread:
  return sum(sum(1, resultOfThread1), sum(1, resultOfThread2));
  = sum(sum(1, 4), sum(1, 4))
  = sum(5, 5)
  = 10

我希望你能看到,发生了什么以及为什么结果不是你所期望的。

于 2021-03-01T19:55:10.153 回答