equals()方法和hashCode()方法都是Object下的重要方法。以下为Object下这两个方法的源代码。
public native int hashCode();
public boolean equals(Object obj) {
return (this == obj);
}
equals()方法默认调用的是==,也就是比较是否是同一个对象(同一个地址)。
那么我们什么时候需要重写equals方法呢?
一、自定义一个Person类,有一个ID唯一标识,有一个名字。
class Person{
private int ID;
private String name;
public int getID() {
return ID;
}
public void setID(int iD) {
ID = iD;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Person(int Id, String name) {
super();
this.ID = Id;
this.name = name;
}
}
二、创建三个Person实例。
public static void main(String[] args) {
Person p1=new Person(201,"小明");
Person p2=new Person(211,"小红");
Person p3=new Person(201,"小明");
System.out.println(p1.equals(p3));//false
}
p1和p3的ID和name都是一样的,按照常理来说,equals方法应该返回true。之前已经提过了,Object的equals比较的是地址,所以这种时候就需要重写equals方法。
@Override
public boolean equals(Object obj) {
Person p=(Person)obj;
if(this.name== p.name&& this.ID==p.ID) {
return true;
}
return false;
}
三、重写equals方法后,再次调用main方法,输出true。
查看p1,p2,p3的hashCode值。
public static void main(String[] args) {
Person p1=new Person(201,"小明");
Person p2=new Person(211,"小红");
Person p3=new Person(201,"小明");
System.out.println(p1.equals(p3)); //true
System.out.println("p1:"+p1.hashCode());//p1:2018699554
System.out.println("p2:"+p2.hashCode());//p2:1311053135
System.out.println("p3:"+p3.hashCode());//p3:118352462
}
可以看到p1,p2,p3的hashCode值都不一样。
这就违背了hashCode的规定:
两个对象相等,hashCode一定相等。
两个对象不相等,hashCode不一定不相等。
hashCode相等,两个对象不一定相等。
hashCode不相等,两个对象一定不相等。
所以,重写equals方法需要重写hashCode()方法。
@Override
public int hashCode() {
int prime = 31;
int result = 1;
result = prime * result + name == null ? 0 : name.hashCode();
result = prime * result + ID;
return result;
}
OK。