**
HashMap相关知识
**
- 数据存储结构
存储结构为数组+链表的结构 - hashMap put的实现方式
下列代码为jdk1.8实现方式
//参数 hash 为key的hash值hash(key)
final V putVal(int hash, K key, V value, boolean onlyIfAbsent,
boolean evict) {
//存储结构的数组,每个元素是一个node节点
Node<K,V>[] tab;
//单个节点
Node<K,V> p;
//声明变量
int n, i;
//判断存储结构中的数组是否初始化
if ((tab = table) == null || (n = tab.length) == 0)
//初始化数组
//重点主要有,默认初始化长度为2^4
//再次扩容也只能是2的整数倍
n = (tab = resize()).length;
//(n - 1) & hash n为16-1 二进制位01111 保证与运算结果由hash决定
if ((p = tab[i = (n - 1) & hash]) == null)
//如果数组位置为空,直接将节点放到数组中
//不需要先判断是否已经存在key值的节点,如果key值已经存在,计算的hash位置一定不为空,key值相同计算的数组位置一致
tab[i] = newNode(hash, key, value, null);
else {
//数组位置不为空
//存在四种可能
//1.key值已经存在直接替换value值(判断数组节点,和数组链表节点)
//2.节点不存在,链表数没超过边界值,直接加在列表位置
//3.列表已经是红黑树,直接加在红黑树下
//4.刚好达到链表的边界值,转换成红黑树
Node<K,V> e; K k;
if (p.hash == hash &&
((k = p.key) == key || (key != null && key.equals(k))))
//第一种情况 key值存在
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);
break;
}
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
break;
//判断数组下链表节点,key值存在
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;
//数组超过临界值数组扩容
//扩容只能是2的倍数
if (++size > threshold)
resize();
afterNodeInsertion(evict);
return null;
}
- jdk1.7和jdk1.8的区别
jdk1.7实现的数据结构是数组+链表
jdk1.8改进了链表存在方式,链表超过临界值直接转成红黑树 - 线程安全问题
HashMap线程不安全
ConcurrentHashMap 线程安全
Hashtable 线程安全