HashMap与ConcurrentHashMap

JDK1.7

HashMap数据结构

数组+链表

HashTable对整个HashMap加锁

ConcurrentHashMap:分段锁

Segmnent[]大数组 ,数组长度ssize为大于currencyLevel的2的最小幂指数
每一个Segment都有一个小数组Entry[],数组长度为initialCapacity / ssize的最小整数(向上取整)

JDK7扩容时可能出现死锁(循环链表)

JDK1.8

HashMap

数组+链表(当链表长度大于阀值时,链表改为红黑树

插入元素步骤:
1.判断数组是否存在
if ((tab = table) == null || (n = tab.length) == 0)
2.判断数组当前下标是否存在元素
if ((p = tab[i = (n - 1) & hash]) == null)
3.判断当前下标是否元素的key值是否和要插入的key值相同
if (p.hash == hash &&((k = p.key) == key || (key != null && key.equals(k))))
4.判断是否是树
if (p instanceof TreeNode)
5.判断链表中除头结点外是否存在相同的key,并对链表长度进行阈值判断;如果大于阀值(默认大于8),链表改为红黑树;否则,在链表尾部进行插入元素(代码如下)

 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;
                    p = e;
                }

ConcurrentHashMap

没有Segment,锁住数组的每一个元素
synchronized (f= tabAt(tab, i = (n - 1) & hash)) == null)

ConcurrentHashMap 和 HashMap 区别

  • HashMap可以有null值的key,ConcurrentHashMap不可以
  • HashMap是线程不安全的,在多线程环境下需要Collections.synchronizedMap(hashMap);ConcurrentHashMap线程安全
  • 在删除元素时候,两者的算法不一样。 ConcurrentHashMap和HashTable主要区别就是围绕着锁的粒度以及如何锁,可以简单理解成把一个大的HashTable分解成多个,形成了锁分离

你可能感兴趣的:(HashMap与ConcurrentHashMap)