假设我有以下类(class):
class Z {
X x;
Y y;
}
我有一个 Z 元素列表。我想在一次传递中计算有多少元素在其 x 字段中具有值 x1,以及有多少元素在其 y 字段中具有值 y1。
使用循环是直接的:
int countOfx1 = 0;
int countOfy1 = 0;
for (Z z: list) {
if (z.x == x1) {
countOfx1++
}
if (z.y == y1) {
countOfy1++
}
}
可以简单地使用流来完成吗?
最佳答案
您可以通过为总计创建一个收集器来做到这一点:
class Zcount {
private int xCount = 0;
private int yCount = 0;
public Zcount accept(Z z) {
if (z.x == x1)
xCount++;
if (z.y == y1)
yCount++;
return this;
}
public Zcount combine(ZCount other) {
xCount += other.xCount;
yCount += other.yCount;
return this;
}
}
Zcount count = list.stream().collect(Zcount::new, Zcount::accept, Zcount::combine);
这比迭代解决方案具有优势,您可以使流并行,如果您的列表非常大,这可能具有性能优势。