public int compareTo(Object o);
}
将当前这个对象与指定的对象进行顺序比较,当该对象小于、等于或大于指定对象时,分别返回一个负整数、0或正整数,如果无法进行比较,则抛出ClassCastException异常。(泛型没有掌握,所以compareTo的参数用Object ,所以比较之前必须进行强制转换。如果学会了泛型就方便多了)。
private int age;
private String name;
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Student() {
}
public Student(String name, int age) {
this.name = name;
this.age = age;
}
public boolean equals(Object obj) {
boolean rusult = false;
if (this == obj) {
rusult = true;
}
if (!(obj instanceof Student)) {
rusult = false;
}
Student stu = (Student) obj;
if ((stu.getName().equals(this.name)) && (stu.getAge() == this.age)) {
rusult = true;
} else {
rusult = false;
}
return rusult;
}
public int hashCode() {
return (this.name.hashCode() + this.age) * 31;
}
public String toString() {
return "name=" + this.name + " age=" + this.age;
}
public int compareTo(Object o) {
Student stu = (Student) o;
if (this.getName().compareTo(stu.getName()) > 0) {
return 1;
}
if (this.getName().compareTo(stu.getName()) < 0) {
return -1;
}
if ( this.age > stu.getAge() ) {
return 1;
}
if (this.age < stu.getAge()) {
return -1;
}
return 0;
}
}
public class TreeSetTest {
public static void main(String args[]) {
Set set = new TreeSet();
Student stu1 = new Student("EEE", 12);
Student stu2 = new Student("FFF", 11);
Student stu3 = new Student("DDD", 13);
set.add(stu1);
set.add(stu2);
set.add(stu3);
Iterator it = set.iterator();
while (it.hasNext()) {
Object obj = it.next();
System.out.println(obj);
}
}
}