使用java在eclipse中 使用Groupingby方法查询每个专业人数
时间: 2024-02-03 08:11:42 浏览: 78
假设有如下的学生类:
```java
public class Student {
private String name;
private String major;
public Student(String name, String major) {
this.name = name;
this.major = major;
}
public String getName() {
return name;
}
public String getMajor() {
return major;
}
}
```
可以通过 `Stream` 的 `collect` 方法和 `Collectors.groupingBy` 方法来实现按专业分组统计人数的功能。示例代码如下:
```java
import java.util.Arrays;
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
public class Main {
public static void main(String[] args) {
List<Student> students = Arrays.asList(
new Student("Tom", "Computer Science"),
new Student("Jerry", "Computer Science"),
new Student("Lucy", "Mathematics"),
new Student("Lily", "Mathematics"),
new Student("David", "Computer Science")
);
Map<String, Long> result = students.stream()
.collect(Collectors.groupingBy(Student::getMajor, Collectors.counting()));
System.out.println(result);
}
}
```
输出结果为:
```
{Computer Science=3, Mathematics=2}
```
其中,`Collectors.groupingBy` 用于按专业分组,`Collectors.counting` 用于统计每个分组的人数。最终结果为一个 `Map` 对象,其中键为专业名称,值为人数。
阅读全文