java list 分组 统计不同类型的总数
时间: 2023-09-19 12:09:08 浏览: 191
统计数据集中各个类别的数目
如果需要对List进行分组统计不同类型的总数,可以结合使用Java 8中的stream和Collectors,具体代码如下:
假设有一个存储Fruit对象的List,每个Fruit对象有type和count两个属性,表示水果的类型和数量,我们要将List按照type属性进行分组,并统计每个type对应的水果总数和不同种类的水果数:
```java
List<Fruit> fruitList = new ArrayList<>();
// 添加Fruit对象到List中
...
// 按照type属性分组,并统计水果总数和不同种类的水果数
Map<String, FruitStats> fruitStatsMap = fruitList.stream()
.collect(Collectors.groupingBy(Fruit::getType,
Collectors.reducing(new FruitStats(),
fruit -> new FruitStats(1, 1),
(s1, s2) -> new FruitStats(s1.getCount() + s2.getCount(), s1.getTypeCount() + s2.getTypeCount()))));
```
上述代码中,使用了stream()方法将List转换成流,然后使用Collectors.groupingBy()方法按照Fruit::getType分组。在Collectors.groupingBy()方法的第二个参数中,使用Collectors.reducing()方法对分组后的水果List进行统计。Collectors.reducing()方法的第一个参数为初始值,表示水果总数为0,不同种类的水果数为1的FruitStats对象;第二个参数为一个Function,表示将每个Fruit对象转换成一个FruitStats对象,其中水果总数为1,不同种类的水果数为1;第三个参数为一个BinaryOperator,表示将两个FruitStats对象合并成一个FruitStats对象,其中水果总数为两个FruitStats对象的水果总数之和,不同种类的水果数为两个FruitStats对象的不同种类的水果数之和。最终得到的结果是一个Map<String, FruitStats>,其中key为type属性值,value为该type对应的水果总数和不同种类的水果数的统计结果。
其中,FruitStats是一个自定义的类,表示水果总数和不同种类的水果数的统计结果,具体代码如下:
```java
public class FruitStats {
private int count; // 水果总数
private int typeCount; // 不同种类的水果数
public FruitStats() {
this.count = 0;
this.typeCount = 0;
}
public FruitStats(int count, int typeCount) {
this.count = count;
this.typeCount = typeCount;
}
// getter和setter方法省略
}
```
阅读全文