stream流按两个字段排序_如何在Java中按两个字段排序?
时间: 2023-08-04 13:35:15 浏览: 114
List对象去重和按照某个字段排序的实现方法
在Java中使用stream流按两个字段排序可以使用Comparator.comparing()和thenComparing()方法来实现。
下面是一个按两个字段排序的示例代码:
```java
public class Person {
private String name;
private int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
}
public class Main {
public static void main(String[] args) {
List<Person> people = new ArrayList<>();
people.add(new Person("Alice", 25));
people.add(new Person("Bob", 30));
people.add(new Person("Alice", 20));
people.add(new Person("Bob", 25));
List<Person> sortedPeople = people.stream()
.sorted(Comparator.comparing(Person::getName).thenComparing(Person::getAge))
.collect(Collectors.toList());
for (Person p : sortedPeople) {
System.out.println(p.getName() + " " + p.getAge());
}
}
}
```
输出结果:
```
Alice 20
Alice 25
Bob 25
Bob 30
```
在上面的示例代码中,我们先定义了一个Person类。然后我们在main()方法中先创建了一个包含4个Person对象的people列表。
我们使用stream()方法将people列表转换为一个stream流,并使用sorted()方法对流进行排序。在sorted()方法中,我们使用Comparator.comparing()方法按照name字段进行排序,如果name相同,再使用thenComparing()方法按照age字段进行排序。最后使用collect()方法将排序后的流转换为一个列表。
最后我们遍历输出排序后的结果。
需要注意的是,使用stream流排序可能会产生一些额外的开销,因为它需要额外的计算和内存。因此,如果数据量很大,可能需要考虑使用其他的排序方法。
阅读全文