equals()与hashcode()方法
程序员文章站
2024-03-22 17:51:10
...
两个方法都来自Object。通常,比较两个对象是否相等时,我们需要重写equals()方法。hashcode方法主要作为集合类中判断对象是否重复的依据。
比如一个Point类,没有重写hashcode()方法。
public class Point {
private int x;
private int y;
public Point(int x, int y) {
this.x = x;
this.y = y;
}
public int getX() {
return x;
}
public void setX(int x) {
this.x = x;
}
public int getY() {
return y;
}
public void setY(int y) {
this.y = y;
}
@Override
public boolean equals(Object obj) {
Point p = null;
if(obj instanceof Point) {
p = (Point)obj;
}
return (p.getX() == x) && (p.getY() == y);
}
@Override
public String toString() {
return "Point:[" + x + "," + y + "]";
}
}
@Test
public void testHashCodeInSet() {
Point p1 = new Point(2,2);
Point p2 = new Point(2,2);
Set<Point> s = new HashSet<Point>();
s.add(p1);
s.add(p2);
assertEquals(s.size(), 2);
}
以上代码测试运行通过,为什么呢,因为Point没有重写hashcode()方法,HashSet判断是否存在重复元素是使用Object类实现的hashcode()方法,它是对对象地址的比较,因此p1与p2不相等。HashSet类将2个point都添加进去了。
另:
equals()相等的两个对象,hashcode()一定相等。
equals()不相等的两个对象,hashcode()可能相等也可能不等。
hashcode()不等的两个对象,equals()一定不等。
hashcode()相等的两个对象,equals()可能相等,也可能不等。
上一篇: 分类管理与标签管理
下一篇: String的hashCode分析