Comparable
1.什么是Comparable接口
此接口强行对实现它的每个类的对象进行整体排序。此排序被称为该类的自然排序 ,类的 compareTo 方法被称为它的自然比较方法 。实现此接口的对象列表(和数组)可以通过 Collections.sort (和 Arrays.sort )进行自动排序。实现此接口的对象可以用作有序映射表中的键或有序集合中的元素,无需指定比较器。 强烈推荐(虽然不是必需的)使自然排序与 equals 一致。所谓与equals一致是指对于类 C 的每一个 e1 和 e2 来说,当且仅当 (e1.compareTo((Object)e2) == 0) 与e1.equals((Object)e2) 具有相同的布尔值时,类 C 的自然排序才叫做与 equals 一致 。
2.实现什么方法
int compareTo(T o) 比较此对象与指定对象的顺序。如果该对象小于、等于或大于指定对象,则分别返回负整数、零或正整数。 强烈推荐 (x.compareTo(y)==0) == (x.equals(y)) 这种做法,但不是 严格要求这样做。一般来说,任何实现 Comparable 接口和违背此条件的类都应该清楚地指出这一事实。推荐如此阐述:“注意:此类具有与 equals 不一致的自然排序。” 参数: o - 要比较的对象。 返回:
负整数、零或正整数,根据此对象是小于、等于还是大于指定对象。 抛出:
ClassCastException - 如果指定对象的类型不允许它与此对象进行比较。 在实现Comparable接口中必须重写compareTo这个方法.代码如下:
1 package Demo4; 2 3 public class Person implements Comparable<Person>{ 4 private String name; 5 private int age; 6 private char sex; 7 8 public Person(String name, int age, char sex) { 9 super(); 10 this.name = name; 11 this.age = age; 12 this.sex = sex; 13 } 14 15 /* (非 Javadoc) 16 * @see java.lang.Object#toString() 17 */ 18 @Override 19 public String toString() { 20 return "Person [name=" + name + ", age=" + age + ", sex=" + sex + "]"; 21 } 22 //当采用不同的排序方式时,重写不同的comparaTo方法.此时对应不同的数据类型 23 //public int compareTo(Person o) { 24 // return this.sex-o.sex; 25 26 //public int compareTo(Person o) { 27 // return this.name.compareTo(o.name); 28 29 public int compareTo(Person o) { 30 return this.age-o.age; 31 } 33 }
主程序如下:
1 package Demo4; 2 3 import java.util.TreeSet; 4 5 public class Test { 6 public static void main(String[] args) { 7 TreeSet<Person> treeSet = new TreeSet<Person>(); 8 Person p1 = new Person("李四",34,‘男‘); 9 Person p2 = new Person("张三",23,‘女‘); 10 Person p3 = new Person("王五",13,‘不‘); 11 Person p4 = new Person("小二",25,‘二‘); 12 treeSet.add(p1); 13 treeSet.add(p2); 14 treeSet.add(p3); 15 treeSet.add(p4); 16 17 for (Person person : treeSet) { 18 System.out.println(person); 19 } 20 } 21 }
显示结果会根据选择排序的方式,按照字典顺序排列
时间: 2024-11-10 00:16:58