我想转换这个:
Map<String,Long> parties = new HashMap<>();
parties.add("a", 1);
...
Long counter = 0l;
for (Long votes : parties.values()){
counter += votes;
}
对于Java8中的lambda,我尝试使用reduce这样:
parties.entrySet().stream().reduce((stringLongEntry, stringLongEntry2) -> /*Here I Stack*/)
但我不知道如何继续。
PS:我知道我可以用:
parties.values().stream().count();
但我想找到另一种方法。
答案 0 :(得分:5)
如果您始终将1
存储为每个键的值,则总计数将始终与地图的大小相匹配。您只需使用parties.size()
即可获得它。
如果为每个键存储不同的值,则计算映射中的值有多少是错误的。你应该总结它们:
long total = parties.values().stream().mapToLong(v -> v).sum();
答案 1 :(得分:4)
尝试以下表达式:
counter = parties.values().stream().map((votes) -> votes).reduce(counter, (a, i) -> a+i);
此外,您的代码中几乎没有错误:
Map<String,Long> parties = new HashMap<>();
是正确的方法,但是你的错误。 HashMap
没有.add(..)
方法,但.put(..)
方法:
parties.put("a",1L);
由于您的值为Long
,因此您必须使用1L
或1l
而不是整个1
来指定Long
值。< / p>
答案 2 :(得分:2)
parties.values().stream().mapToLong(l -> l).sum();
parties.values().stream().reduce(0L, (a, b) -> a + b);
parties.entrySet().stream().mapToLong(Map.Entry::getValue).sum();
parties.entrySet().stream().mapToLong(Map.Entry::getValue).reduce(0L, (a, b) -> a + b);
评论中对问题的解释。在这里,我们可以写(Map.Entry<String, Long> i) -> i.getValue()
或i -> i.getValue()
。但如果我们将method reference替换为Map.Entry::getValue
,则会更具可读性。
答案 3 :(得分:2)
如果你坚持使用entrySet -
parties.entrySet().stream().map(e -> e.getValue()).reduce(0L, (longValue1, longValue2) -> longValue1 + longValue2)