Object类中的equals方法用于检测两个对象是否相等,而相等判断的标准则是二者是否引用同一个对象。
下面给出编写一个完美的equals方法的原则:
1,将equals的Object类显式参数命名为otherObject。
2,检测otherObject是否与this引用自同一个对象。
3,检测otherObject是否为null,是的话返回false。
4,检测this与otherObject是否属于同一个类,这里需要注意的情况就是当比较的两个对象不属于同一个类时,比如 p.equals(e),p是一个Person,e是一个Employee,Employee继承自Person。Person拥有name,age私有 域,Employee具有occupation域。
如果相等的概念是的对象的所有域都必须相等,p.equals(e)中使用e instalceof Person返回true,但是如果e.equals(p)调用,p instanceof Employee则返回false,不满足对称性要求,所以这里需要强制采用getClass()来进行类型检测。
如果相等的概念是由超类决定的,比如认为只要name和age相同,则Person和Employee相等,则可以使用instance进行检测,同时在超类中将该方法定义为final。
5,将otherObject转换为this类型的变量。
6,现在开始进行私有数据域的比较,对于基本类型如数值,字符和布尔类型使用==进行比较,对对象域使用equals进行比较,所有域都相同则返回true。
7,使用@Override声明有助于错误检查。
示例如下:
public boolean equals(Object otherObject) {
if(this == otherObject) { // 检测this与otherObject是否引用同一个对象
return true;
}
if(null == otherObject ) { // 检测otherObject是否为空
return false;
}
if(!(getClass() == otherObject.getClass())){ // 比较this与oherObject是否属于同一个类,
如果equal的语义在每个子类中有所改变,就用此判断
System.out.println("-----------------getClass----------------");
return false;
}
if( ! (otherObject instanceof Apple)) { // 如果语义相同就用instanceof判断,判断继承时也用到
System.out.println("------------instanceof--------------------");
return false;
}
Apple other = (Apple) otherObject; // 转换为相应类型,对所需域进行判断
return name.equals(other.name)&& color.equals(other.color);
}
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
FreeTrial other = (FreeTrial) obj;
if (strTel == null) {
if (other.strTel != null)
return false;
} else if (!strTel.equals(other.strTel))
return false;
return true;
}