-
Object类默认的equals()方法
比较的是什么?
Object类的equals()方法比较的是两个对象对象的引用,而不比较两个对象的状态。
-
自定义的equals()方法
为什么要自定义(覆盖超类Object)equals()方法?
因为默认的equals比较的是对象的引用,而实际更多比较的是对象的状态是否相等。
public boolean equals(Object otherObject)
{
// 比较引用
if (this == otherObject) return true;
// 判断对象是否为空
if (otherObject == null) return false;
// 类型不相同则必然不同,且为下面强制类型转换做准备
if (getClass() != otherObject.getClass()) return false;
// 强制类型转换
Employee other = (Employee) otherObject;
// 判断域
return Objects.equals(name, other.name)
&& salary == other.salary
&& Objects.equals(hireDay, other.hireDay);
}
以上比较域为什么不直接使用name.equals(other.name)?
有可能name == null;
使用Object.euqal(a,b):
- 若a、b都是null,则返回true;
- 若a、b其一是null,则返回false;
- 否则调用a.equals(b)。
子类覆盖equals()方法
如果子类定义equals()方法,则先调用超类的equals()方法,若返回false,则不相同,不需要比较子类的实例域。
public boolean equals(Object otherObject){
if (!super.equals(otherObject)) return false;
//超类的getClass()方法比较的是实际类型,因此可以确定是否可以进行强制类型转换
Manager other = (Manager) otherObject;
return bonus == other.bonus;
}
- getClass()和instanceof比较对象类型
如果子类能够拥有自己相等的概念,则对称性强制要求用getClass();
如果由超类决定相等概念,则用instanceof检查类,这样可以在不同子类对象之间比较相等,仅实例域。
-
散列码HashCode
未定义hashCode方法的情况下,每个对象都有其默认的散列码,其值表示对象的地址。
字符串的hashCode
字符串的hashCode方法已定义,字符串散列码是由内容导出,内容相同则hashCode相同;
StringBuffer的hashCode未定义,因此hashCode是对象的地址,即使字符串内容相同,hashCode也不同。
重新定义equals就必须重新定义hashCode
一是为了方便用户可以将对象插入到散列表中;
二是equals返回true,则两个对象的hashCode必须相同。(例如定义Employee的equals方法比较的是雇员ID,则hashCode方法就要返回雇员ID的散列码,而不是姓名等的存储地址)
定义的equals()方法和hashCode()方法
public boolean equals(Object otherObject){
if (this == otherObject) return true;
if (otherObject == null) return false;
if (getClass() != otherObject.getClass()) return false;
Employee other = (Employee) otherObject;
return Objects.equals(name, other.name)
&& salary == other.salary
&& Objects.equals(hireDay, other.hireDay);
}
public int hashCode(){
return Objects.hash(name, salary, hireDay);
}
- 数组域的散列码可以用静态的Arrays.hashCode方法计算由一个数组元素散列码组成的散列码。
网友评论