목차

Java equals & hashCode

자주하는 equals & hashCode 실수 및 올바른 구현

잘못된 ''equals'' 메소드 시그너쳐

public boolean equals(ClassName other) {
  // 잘못된 equals!!
}
 
// 다음이 올바르다. 무조건 다음과 같이한다.
public boolean equals(Object other) {
...
}

equals가 변경되면 hashCode도 변경해야한다

Mutable(변경가능한) 필드에 대한 equals/hashCode 구현은 하면 안 된다

동치(equivalence)를 위반해서는 안된다

equalsnull이 아닌 객체간에는 항상 동치 관계를 유지하게 구현해야만 한다.

상속 관계에서는 위 동치성을 쉽게 위반하게 된다. canEqual 메소드를 통해 이를 지켜내야 한다.

동치 문제의 최종 해결책 canEqual

equalshashCode를 override 할 때마다 can equal메소드도 함께 구현하고 오버라이드 해주면 된다. 이를 통해 현재 클래스의 상위클래스와 동등하게 평가되는 것을 막을 수 있다.

// Point 라는 클래스가 존재할 때
 
public boolean canEqual(Object other) {
    return (other instanceof Point);
}
 
@Override 
public boolean equals(Object other) {
    boolean result = false;
    if (other instanceof Point) {
        Point that = (Point) other;
        // that.canEqual(this) 가 핵심이다. 이를 거꾸로 this.canEqual(that) 으로 사용하면 안된다.
        result = (that.canEqual(this) && this.getX() == that.getX() && this.getY() == that.getY());
    }
    return result;
}
 
// 오버라이드 되는 ColoredPoint 클래스에서는
@Override
public boolean equals(Object other) {
    boolean result = false;
    if (other instanceof ColoredPoint) {
        ColoredPoint that = (ColoredPoint) other;
        result = (that.canEqual(this) && this.color.equals(that.color) && super.equals(that));
    }
    return result;
}
 
// that.canEqual(this) 호출을 통해서 상위클래스(Point)는 결코 ColoredPoint와 같을 수 없게 보장됨.
@Override 
public boolean canEqual(Object other) {
    return (other instanceof ColoredPoint);
}

다른 타입간의 equals 탐지