Comparator自定义排序
时间: 2023-11-11 19:59:32 浏览: 79
好的,我知道了。对于Comparator自定义排序,我们可以通过实现Comparator接口来自定义排序规则。具体步骤如下:
1. 创建一个类实现Comparator接口,并重写compare方法。
2. 在compare方法中编写自定义的排序规则。
3. 使用Collections.sort方法或Arrays.sort方法,并传入自定义的Comparator对象,即可按照自定义规则进行排序。
下面是一个示例代码:
```
public class Student {
private String name;
private int age;
public Student(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
}
public class AgeComparator implements Comparator<Student> {
@Override
public int compare(Student s1, Student s2) {
return s1.getAge() - s2.getAge();
}
}
public class Main {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student("Tom", 20));
students.add(new Student("Jerry", 18));
students.add(new Student("Mike", 22));
Collections.sort(students, new AgeComparator());
for (Student student : students) {
System.out.println(student.getName() + " " + student.getAge());
}
}
}
```
输出结果为:
```
Jerry 18
Tom 20
Mike 22
```
阅读全文