package test;
import java.util.HashMap;
public class test {
public static void main(String args[]) {
HashMap<ID, String> h = new HashMap<ID, String> ();
String b;
ID id1 = new ID(100);
ID id2 = new ID(200);
ID id3 = new ID(200);
h.put(id1, "apple");
h.put(id2, "pear");
**System.out.println(h.containsKey(id3));**
}
}
class ID {
Integer code;
public ID(Integer id) {
this.code = id;
}
@Override
public int hashCode()
{
return code.hashCode();
}
@Override
public boolean equals(Object o)
{
return this.code.equals(o);
}
}
此程序的输出为&#34; false&#34;。我无法理解这个结果。我实现了hashCode和equals,它们被覆盖了。我不知道如何解决。如何在java HashMap中使用对象作为键?
答案 0 :(得分:7)
您的equals实现错误:
public boolean equals(Object o)
{
return this.code.equals(o); // this will never return true,
// since you are comparing an Integer instance
// to an ID instance
}
您应该将此代码与其他代码进行比较:
public boolean equals(Object o)
{
if (!(o instanceof ID))
return false;
ID oid = (ID) o;
return this.code.equals(oid.code);
}
答案 1 :(得分:0)
equals
方法的错误实施。根据您的实现,它执行Integer
类equals方法。我们应该在没有执行库类equals
方法的情况下处理逻辑。
@Override
public boolean equals(Object o) {
if (o == null || ((o instanceof ID) && o.hashCode() != this.hashCode())) {
return false;
}
return true;
}