Reputation: 2526
if I remember correctly the default hashCode() implementation in java of an object of type Object() is to return the memory address of the object. When we create our own classes, I read that we want to override hashCode() so that when we insert them into a hash related collection like HashMap() it will work properly. But why is a memory address bad?
Sure we will EVENTUALLY run out of memory and you'll have collisions, but the only case where I see this being a problem is where you are dealing with TONS of data and have very little memory, and then it would START to affect performance because hash related collections in java resolve collisions by chaining(a bucket will link to a list of values that resolved to the same hashcode/index).
Upvotes: 7
Views: 18438
Reputation: 58
Exact key objects used while putting objects into hashmap may not be available to access the map later on in your program. So you will end up overriding equals method. When you override equals method you make sure that their hashcodes are also equal, otherwise you cannot retrieve the objects from the hashmap.
Upvotes: 1
Reputation: 361537
The default implementation works fine if every object is unique. But if you override equals() then you are implicitly saying that objects with different addresses can be equivalent to each other. In that case you have to also override hashCode().
Think of the String class.
String s1 = new String("foo");
String s2 = new String("foo");
These two strings are equal and so their hash codes must be equal. But they are distinct objects with different addresses.
s1 == s2 // false, different addresses
s1.equals(s2) // true, same contents
Using their addresses as hash codes would be an error. Therefore, String overrides hashCode() to ensure that equal strings have equal hash codes. This helps meet hashCode()'s contract, which is:
If
a.equals(b)
is true, thena.hashCode() == b.hashCode()
.
Bottom line: If you override equals(), also override hashCode().
Upvotes: 31