java – HashSet添加重复条目,尽管实现了hashCode()和equals()

前端之家收集整理的这篇文章主要介绍了java – HashSet添加重复条目,尽管实现了hashCode()和equals()前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有以下类:
class Point
{
     double x,y;

     // .... constructor and other functions here

     public boolean equals(Point p)
     {
         if(p==null) return(false);
         return(x==p.x && y==p.y);
     }

    public int hashCode()
    {
        int result=17;

        long c1=Double.doubleToLongBits(x);
        long c2=Double.doubleToLongBits(y);

        int ci1=(int)(c1 ^ (c1 >>> 32));
        int ci2=(int)(c2 ^ (c2 >>> 32));

        result = 31 * result + ci1;
        result = 31 * result + ci2;

        return result;
    }
}

现在,如果我写下面的代码

Point x=new Point(11,7);
    Point y=new Point(11,7);

    System.out.println("hash-code of x=" + x.hashCode());
    System.out.println("hash-code of y=" + y.hashCode());
    System.out.println("x.equals(y) = " + x.equals(y));
    System.out.println("x==y = " + (x==y));

    java.util.HashSet<Point> s=new java.util.HashSet<Point>();
    s.add(x);
    System.out.println("Contains "+y.toString()+" = "+s.contains(y));
    s.add(y);
    System.out.println("Set size: "+s.size());
    java.util.Iterator<Point> itr=s.iterator();
    while(itr.hasNext()) System.out.println(itr.next().toString());

我得到以下输出

hash-code of x=79052753
hash-code of y=79052753
x.equals(y) = true
x==y = false
Contains (11.0,7.0) = false
Set size: 2
(11.0,7.0)
(11.0,7.0)

请帮助我理解为什么contains()返回false(即使在equals()和hashCode()返回相同的值之后),我该如何解决这个问题(即阻止Java添加重复的元素).提前致谢.

解决方法

您不会覆盖Object中的equals方法.

equals方法的签名是:

public boolean equals(Object obj)

并不是

public boolean equals(Point obj)

请不要使用==比较双重值.您应该使用Double.equals代替.

原文链接:https://www.f2er.com/java/123363.html

猜你在找的Java相关文章