class temp {
int id;
public int getId() {
return id;
}
temp(int id) {
this.id = id;
}
public void setId(int id) {
this.id = id;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
temp other = (temp) obj;
if (id != other.id)
return false;
return true;
}
}
public class testClass {
public static void main(String[] args) {
temp t1 = new temp(1);
temp t2 = new temp(1);
System.out.println(t1.equals(t2));
Set<temp> tempList = new HashSet<temp>(2);
tempList.add(t1);
tempList.add(t2);
System.out.println(tempList);
}
该程序将这两个元素都添加到 Set 中。一开始我很震惊,因为在添加 set 方法时,调用了 equals 方法。
但后来我覆盖了 hashCode 方法:
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + id;
return result;
}
然后它没有添加。这是令人惊讶的,因为 Set 和 add() 方法的 Javadoc 说它在添加到 Set 时只检查 equals()。
这是 add() 的 javadoc:
/**
* Adds the specified element to this set if it is not already present.
* More formally, adds the specified element <tt>e</tt> to this set if
* this set contains no element <tt>e2</tt> such that
* <tt>(e==null ? e2==null : e.equals(e2))</tt>.
* If this set already contains the element, the call leaves the set
* unchanged and returns <tt>false</tt>.
*
* @param e element to be added to this set
* @return <tt>true</tt> if this set did not already contain the specified
* element
*/
public boolean add(E e) {
return map.put(e, PRESENT)==null;
}
然后我意识到 HashSet 是作为 HashMap 实现的,并且在 map 中,对象的 hashCode 用作键。因此,如果您不覆盖 hashCode,它将使用不同的键来处理它们。
这不应该在 add() 方法或 HashSet 的文档中吗?