自然(可比较)与显式(比较)排序
有两种 Collections.sort()
方法:
- 将
List<T>
作为参数,其中T
必须实现 Comparable 并覆盖确定排序顺序的compareTo()
方法。 - 将 List 和 Comparator 作为参数的一种方法,比较器确定排序顺序。
首先,这是一个实现 Comparable 的 Person 类:
public class Person implements Comparable<Person> {
private String name;
private int age;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
@Override
public int compareTo(Person o) {
return this.getAge() - o.getAge();
}
@Override
public String toString() {
return this.getAge()+"-"+this.getName();
}
}
以下是如何使用上面的类按照 compareTo()
方法重写定义的元素的自然顺序对 List 进行排序:
//-- usage
List<Person> pList = new ArrayList<Person>();
Person p = new Person();
p.setName("A");
p.setAge(10);
pList.add(p);
p = new Person();
p.setName("Z");
p.setAge(20);
pList.add(p);
p = new Person();
p.setName("D");
p.setAge(30);
pList.add(p);
//-- natural sorting i.e comes with object implementation, by age
Collections.sort(pList);
System.out.println(pList);
以下是如何使用匿名内联比较器对未实现 Comparable 的 List 进行排序,或者在这种情况下,按照自然排序以外的顺序对 List 进行排序:
//-- explicit sorting, define sort on another property here goes with name
Collections.sort(pList, new Comparator<Person>() {
@Override
public int compare(Person o1, Person o2) {
return o1.getName().compareTo(o2.getName());
}
});
System.out.println(pList);