2015-06-06 30 views
3
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); 
    } 
} 

该程序的输出为“false”。我无法理解这个结果。我实现了hashCode和等于哪个被覆盖。我不知道如何解决。如何在java HashMap中使用对象作为键?在Java中使用对象作为键HashMap

+0

@ saka1029他放了另一个'ID'实例具有相同的整数值。所以它应该打印*“真实”*如果他用“等号”方法解决了他的问题。 – Tom

回答

7

你平等的实现是错误的:

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); 
} 
0

错误的实现方法equals。根据你的实现,它执行Integer class equals方法。我们应该处理逻辑而不执行库类equals方法。

@Override 
public boolean equals(Object o) { 
    if (o == null || ((o instanceof ID) && o.hashCode() != this.hashCode())) { 
     return false; 
    } 
    return true; 
}