根据hashmap的源代码(java版本<8),每个hashCode都使用以下方法进行哈希处理:
/**
* Applies a supplemental hash function to a given hashCode, which
* defends against poor quality hash functions. This is critical
* because HashMap uses power-of-two length hash tables, that
* otherwise encounter collisions for hashCodes that do not differ
* in lower bits. Note: Null keys always map to hash 0, thus index 0.
*/
static int hash(int h) {
// This function ensures that hashCodes that differ only by
// constant multiples at each bit position have a bounded
// number of collisions (approximately 8 at default load factor).
h ^= (h >>> 20) ^ (h >>> 12);
return h ^ (h >>> 7) ^ (h >>> 4);
}
每个哈希码再次被散列的原因是进一步防止冲突(见上面的评论)
HashMap还使用一种方法来确定哈希代码的索引(java版本<8)(由于长度始终是2的幂,因此您可以使用&代替%):
/**
* Returns index for hash code h.
*/
static int indexFor(int h, int length) {
return h & (length-1);
}
put 方法如下所示:
int hash = hash(key.hashCode());
int i = indexFor(hash, table.length);
哈希代码的目的是为给定对象提供唯一的整数表示形式。因此,Integer 的 hashCode 方法仅返回该值是有道理的,因为每个值对于该 Integer 对象都是唯一的。
附加参考:
HashMap for java8
HashMap for java11