忘了太多东西,好好复习。

存:

 if ((tab = table) == null || (n = tab.length) == 0)
n = (tab = resize()).length;//检查容器大小
if ((p = tab[i = (n - 1) & hash]) == null)
tab[i] = newNode(hash, key, value, null); //无冲突
else {
Node<K,V> e; K k;
if (p.hash == hash &&
((k = p.key) == key || (key != null && key.equals(k))))//每次都判断桶头
e = p;                       
else if (p instanceof TreeNode)
e = ((TreeNode<K,V>)p).putTreeVal(this, tab, hash, key, value); //如果当前的桶转化成红黑树,调用红黑树的插入方法
else {
for (int binCount = 0; ; ++binCount) { //遍历桶
if ((e = p.next) == null) {
p.next = newNode(hash, key, value, null);//桶末尾插入
if (binCount >= TREEIFY_THRESHOLD - 1) // -1 for 1st
treeifyBin(tab, hash);//桶的大小大于阈值(8)将该桶转化为红黑树
break;
}
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))      
break;//找到桶中存在的Node
p = e;
}
}
...
}

取:

 final Node<K,V> getNode(int hash, Object key) {
Node<K,V>[] tab; Node<K,V> first, e; int n; K k;
if ((tab = table) != null && (n = tab.length) > 0 &&
(first = tab[(n - 1) & hash]) != null) {
if (first.hash == hash && // always check first node
((k = first.key) == key || (key != null && key.equals(k))))
return first;
if ((e = first.next) != null) {
if (first instanceof TreeNode)
return ((TreeNode<K,V>)first).getTreeNode(hash, key);      //找树
do {
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))  //找桶
return e;
} while ((e = e.next) != null);
}
}
return null;
}

Java 8的HashMap的存储从 数组+链表(桶)变成了 数组+(链表/红黑树)。

 if (p instanceof TreeNode)
...

所以它的基本操作中都会出现这样的代码片段。

因为这样的改动使得在Hash值相同的容器比较大的时候,它的查找效率不会退化成线性表地查询log(n)。

05-16 15:16