HashMap查找
get()方法获取key的hash值,计算(n - 1) & hash得到该链表在数组中的位置first = tab[(n - 1) & hash],判断first的key是否与参数的key相等,如果相等直接返回,不相等判断该节点是不是TreeNode类型,是则调用getTreeNode()方法从二叉树中获取节点,不是的话遍历链表,找到相同的key返回对应的value值。
public V get(Object key) {
Node<K,V> e;
return (e = getNode(hash(key), key)) == null ? null : e.value;
}
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);
//是链表就遍历,找到key对应的value
do {
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
return e;
} while ((e = e.next) != null);
}
}
return null;
}
//计算hash值
static final int hash(Object key) {
int h;
return (key == null) ? 0 : (h = key.hashCode()) ^ (h >>> 16);
}
HashMap插入。
当我们使用put(key, value)存储对象到HashMap中时,具体步骤如下:
1)先判断table数组是否为空,为空以默认大小创建table数组,table数组默认大小为16;
2)计算key的hash值,并计算hash&(n-1)得到元素在数组中的下标i,如果该位置没值即table[i]为空,则直接将该键存放在table[i]处;
3)如果table[i]不为空,说明hash冲突,判断table[i]处节点是否是TreeNode(红黑树节点)类型数据,如果是则调用putTreeVal()方法,按红黑树规则将键值对存储。
4)如果table[i]为链表形式,则遍历该链表上的数据,将该键值对放在table[i]处,并将其指向原 i 处的链表。判断该链表的长度是否超过链表最大长度8,如果超过则调用treeifyBin()将该链表转成红黑树。
5)判断HashMap中数据元素是否超过了(最大容量*负载因子),如果超过还需要调用resize()进行扩容操作`
final V putVal(int hash, K key, V value, boolean onlyIfAbsent,
boolean evict) {
Node<K,V>[] tab; Node<K,V> p; int n, i;
//判断数组是否为空。如果为空则调用resize()创建
if ((tab = table) == null || (n = tab.length) == 0)
n = (tab = resize()).length;
//计算key的hash值,计算元素在数组的下标i
if ((p = tab[i = (n - 1) & hash]) == null)
//table[i]为空,直接插入
tab[i] = newNode(hash, key, value, null);
else {
Node<K,V> e; K k;
//如果发生hash冲突
if (p.hash == hash &&
((k = p.key) == key || (key != null && key.equals(k))))
e = p;
//如果是数组元素是红黑树,调用putTreeVal()插入
else if (p instanceof TreeNode)
e = ((TreeNode<K,V>)p).putTreeVal(this, tab, hash, key, value);
else {
//for循环遍历链表
for (int binCount = 0; ; ++binCount) {
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;
}
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
break;
p = e;
}
}
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;
}