HashMap结构简略图
调用put()函数,如果table为空,则说明调用HashMap的无参构造函数并且第一次调用put函数,putVal内部调用resize()函数设置容量和阈值分别为16和12;
(n - 1) & hash 进行取模计算下标,n是2的次幂,则n-1的有效位全为1,方便快速计算
public V put(K key, V value) {
return putVal(hash(key), key, value, false, true);
}
final V putVal(int hash, K key, V value, boolean onlyIfAbsent,
boolean evict) {
Node<K,V>[] tab; Node<K,V> p; int n, i;
if ((tab = table) == null || (n = tab.length) == 0)
// 初始化长度为16的Node数组
n = (tab = resize()).length;
// 下标对应的数组元素为空,直接添加,作为头结点
if ((p = tab[i = (n - 1) & hash]) == null)
tab[i] = newNode(hash, key, value, null);
// 存在hash冲突
else {
Node<K,V> e; K k;
// 待插入的结点与头结点的hash和key相同, 赋值给e结点,用于判断修改value值
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) {
// p结点的下一个结点赋值给e,若为空,则添加结点
if ((e = p.next) == null) {
p.next = newNode(hash, key, value, null);
// 链表结点数 ≥ 8 ,链表结构转为红黑树结构
if (binCount >= TREEIFY_THRESHOLD - 1) // -1 for 1st
treeifyBin(tab, hash);
break;
}
// 待插入结点与 p的下一个结点e的key和hash相同,则break
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
break;
p = e; // 结点替换,p的下一个结点,作为新的p
}
}
// 不通过尾插法添加结点,而是待插入数据与结点e的key和hash相同,onlyIfAbsent为false
if (e != null) { // existing mapping for key
V oldValue = e.value;
if (!onlyIfAbsent || oldValue == null)
// 重新赋值
e.value = value;
afterNodeAccess(e); // ???
return oldValue;
}
}
++modCount; // 更新修改次数
if (++size > threshold) // 数组元素超过阈值
resize(); // 扩容
afterNodeInsertion(evict); // ??
return null;
}
标签:结点,hash,HashMap,tab,value,key,put,null,方法
From: https://www.cnblogs.com/jishaling/p/17681446.html