我知道我们可以使用链表来处理哈希映射的链冲突。但是,在Java中,哈希映射实现使用数组,我很好奇java如何实现哈希映射链冲突解析。我确实找到了这篇文章:Collision resolution in Java HashMap 。但是,这不是我要找的答案。
非常感谢。
答案 0 :(得分:2)
HashMap
包含Entry
类的数组。每个存储桶都有LinkedList
实现。每个桶都指向hashCode
,即如果发生冲突,则新条目将添加到列表末尾的同一个桶中。
看看这段代码:
public V put(K key, V value) {
if (key == null)
return putForNullKey(value);
int hash = hash(key.hashCode());
int i = indexFor(hash, table.length); // get table/ bucket index
for (Entry<K,V> e = table[i]; e != null; e = e.next) { // walk through the list of nodes
Object k;
if (e.hash == hash && ((k = e.key) == key || key.equals(k))) {
V oldValue = e.value;
e.value = value;
e.recordAccess(this);
return oldValue; // return old value if found
}
}
modCount++;
addEntry(hash, key, value, i); // add new value if not found
return null;
}