I have a Wrapper class that causes the equalsWithoutId method to be called on the wrapped object instead of the equals method. The implementation is here:
import org.apache.commons.lang3.Validate;
public class IdAgnosticWrapper {
private final IdAgnostic wrapped;
public IdAgnosticWrapper(IdAgnostic wrapped) {
Validate.notNull(wrapped, "wrapped must not be null");
this.wrapped = wrapped;
}
@Override
public int hashCode() {
return wrapped.hashCodeWithoutId();
}
@Override
public boolean equals(Object obj) {
if (!(obj instanceof IdAgnosticWrapper)) {
return false;
}
return wrapped.equalsWithoutId(((IdAgnosticWrapper) obj).getWrapped());
}
public IdAgnostic getWrapped() {
return wrapped;
}
}
IdAgnostic is a simple interface that provides the necessary methods
public interface IdAgnostic {
int hashCodeWithoutId();
boolean equalsWithoutId(Object o);
}
Then I have some Unit tests that should be tested if equals () delegates the wrapped # equalsWithoutId () method to hashCode () delegates in wrapped # hashCodeWithoutId.
Now I'm trying to test it with these tests.
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.Test;
import static org.mockito.Mockito.verify;
public class IdAgnosticWrapperTest {
@Mock
private IdAgnostic wrappedMock;
@InjectMocks
private IdAgnosticWrapper tested;
@BeforeMethod
public void setUp() throws Exception {
MockitoAnnotations.initMocks(this);
}
@Test
public void testEquals_EqualsWithoutIdIsCalledOnWrapped() throws Exception {
tested.equals(tested);
verify(wrappedMock).equalsWithoutId(tested.getWrapped());
}
@Test
public void testHashCode_HashCodeWithoutIdIsCalledOnWrapped() throws Exception {
tested.hashCode();
verify(wrappedMock).hashCodeWithoutId();
}
}
As you can see, I'm just creating a wrapped layout, and I'm testing whether hashcode is equally delegated to functions.
, , ,
Wanted but not invoked:
wrappedMock.hashCodeWithoutId();
-> at com.my.app.utils.IdAgnosticWrapperTest.testHashCode_HashCodeWithoutIdIsCalledOnWrapped(IdAgnosticWrapperTest.java:34)
Actually, there were zero interactions with this mock.
?