有 Java 编程相关的问题?

你可以在下面搜索框中键入要查询的问题!

列表中的java contains()方法未按预期工作

contains()方法的api说

“如果此列表包含指定的元素,则返回true。更正式地说,当且仅当此列表包含至少一个元素e时,才返回true,即(o==null?e==null:o.equals(e))。 “

我在类中重写了equals()方法,但是contains()在检查时仍然返回false

我的代码

class Animal implements Comparable<Animal>{
    int legs;
    Animal(int legs){this.legs=legs;}
    public int compareTo(Animal otherAnimal){
        return this.legs-otherAnimal.legs;
    }
    public String toString(){return this.getClass().getName();}

    public boolean equals(Animal otherAnimal){
        return (this.legs==otherAnimal.legs) && 
                (this.getClass().getName().equals(otherAnimal.getClass().getName()));
    }

    public int hashCode(){
        byte[] byteVal = this.getClass().getName().getBytes();
        int sum=0;
        for(int i=0, n=byteVal.length; i<n ; i++)
            sum+=byteVal[i];
        sum+=this.legs;
        return sum;
    }

}
class Spider extends Animal{
    Spider(int legs){super(legs);}
}
class Dog extends Animal{
    Dog(int legs){super(legs);}
}
class Man extends Animal{
    Man(int legs){super(legs);}
}

请原谅课堂背后的错误概念,我只是在测试我对概念的理解

现在,当我尝试这个方法时,它会打印false,即使覆盖了equals

List<Animal> li=new ArrayList<Animal>();
Animal a1=new Dog(4);
li.add(a1);
li.add(new Man(2));
li.add(new Spider(6));

List<Animal> li2=new ArrayList<Animal>();
Collections.addAll(li2,new Dog(4),new Man(2),new Spider(6));
System.out.println(li2.size());
System.out.println(li.contains(li2.get(0))); //should return true but returns false

共 (2) 个答案

  1. # 1 楼答案

    AsJLS-8.4.8.1 specify

    An instance method m1, declared in class C, overrides another instance method m2, declared in class A , if all of the following are true:

    C is a subclass of A.
    
    The signature of m1 is a subsignature  of the signature of m2.
    
    Either:
    
    m2 is public, protected, or declared with default access in the same package as C, or
    
    m1 overrides a method m3 (m3 distinct from m1, m3 distinct from m2), such that m3 overrides m2.
    

    签名必须与覆盖签名相同,在您的情况下,该签名将被忽略

  2. # 2 楼答案

    您重载了equals,而不是重写它。要重写Objectequals方法,必须使用相同的签名,这意味着参数必须是Object类型

    改为:

    @Override
    public boolean equals(Object other){
        if (!(other instanceof Animal))
            return false;
        Animal otherAnimal = (Animal) other;
        return (this.legs==otherAnimal.legs) && 
               (this.getClass().getName().equals(otherAnimal.getClass().getName()));
    }