stream groupby 多个条件
时间: 2023-11-09 17:49:27 浏览: 122
在使用流进行多条件分组时,可以使用`groupingBy`方法结合`Collectors.groupingBy`来实现。`groupingBy`方法允许我们传递多个条件,在每个条件下进行分组。
下面是一个示例代码,演示如何使用流进行多条件分组:
```java
import java.util.Arrays;
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
class Student {
private String name;
private int age;
private String gender;
public Student(String name, int age, String gender) {
this.name = name;
this.age = age;
this.gender = gender;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
public String getGender() {
return gender;
}
}
public class Main {
public static void main(String[] args) {
List<Student> students = Arrays.asList(
new Student("Alice", 18, "female"),
new Student("Bob", 20, "male"),
new Student("Charlie", 18, "male"),
new Student("David", 19, "male"),
new Student("Eve", 20, "female")
);
Map<String, Map<Integer, List<Student>>> groupedByGenderAndAge = students.stream()
.collect(Collectors.groupingBy(Student::getGender,
Collectors.groupingBy(Student::getAge)));
System.out.println(groupedByGenderAndAge);
}
}
```
在上面的示例中,我们将学生按照性别和年龄进行分组。输出结果将是一个嵌套的 Map,第一层使用性别作为键,第二层使用年龄作为键,并以这两个条件进行分组。
输出结果为:
```
{
female={
18=[Student{name='Alice', age=18, gender='female'}],
20=[Student{name='Eve', age=20, gender='female'}]
},
male={
18=[Student{name='Charlie', age=18, gender='male'}],
19=[Student{name='David', age=19, gender='male'}],
20=[Student{name='Bob', age=20, gender='male'}]
}
}
```
阅读全文