要实现对自定义类型排序,需要满足两个条件:
自定义类型需要实现 Comparable
接口,即实现 compareTo
方法。该方法定义了自定义类型的排序规则。
使用排序算法对自定义类型的集合进行排序。
以下是示例代码:
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
class Person implements Comparable<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;
}
@Override
public int compareTo(Person p) {
// 根据年龄进行排序
if (this.age < p.getAge()) {
return -1;
} else if (this.age > p.getAge()) {
return 1;
} else {
return 0;
}
}
}
public class Main {
public static void main(String[] args) {
List<Person> personList = new ArrayList<>();
personList.add(new Person("Alice", 25));
personList.add(new Person("Bob", 30));
personList.add(new Person("Charlie", 20));
// 使用 Collections.sort 方法对集合进行排序
Collections.sort(personList);
for (Person p : personList) {
System.out.println(p.getName() + " - " + p.getAge());
}
}
}
以上代码中,Person
类实现了 Comparable<Person>
接口,并重写了 compareTo
方法。在 main
方法中,首先创建了一个 Person
类型的集合 personList
,然后使用 Collections.sort
方法对该集合进行排序。最后,通过遍历集合,打印出排序后的结果。