JAVA8java
1.HashMap.put 方法實現了Map.put(K key,V value)的方法。直接調用內部方法node
大體思路是這樣的:數組
下面是putVal方法解析app
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) //首次放入元素時,分配table空間-默認size=16 n = (tab = resize()).length; if ((p = tab[i = (n - 1) & hash]) == null) // 算出新node在table中的位置,若對應位置爲null,新建一個node並放入對應位置. // 注意: (n - 1) & hash 求餘操做 等價於 hash%n(只有n爲2的冪時才成立,見下圖) tab[i] = newNode(hash, key, value, null); else { //在table對應位置有node時 Node<K,V> e; K k; if (p.hash == hash && // key同樣 (hash值相同,且key 同樣,相同實例或者知足Object.equals方法) ((k = p.key) == key || (key != null && key.equals(k)))) // 不知足此條件則發生hash碰撞 e = p; else if (p instanceof TreeNode) // hash碰撞的狀況下,用鏈表解決,鏈表大於8時,改成紅黑樹. 當node爲treeNode時,putTreeVal->紅黑樹 e = ((TreeNode<K,V>)p).putTreeVal(this, tab, hash, key, value); else { //hash for (int binCount = 0; ; ++binCount) { //用for循環將鏈表指針後移,將新node在鏈表加在尾部 if ((e = p.next) == null) { p.next = newNode(hash, key, value, null); if (binCount >= TREEIFY_THRESHOLD - 1) // 當鏈表長度大於8時,轉成紅黑樹 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) //當node中舊的值null或者onlyIfAbsent==false時,將新的value替換原來的value. e.value = value; afterNodeAccess(e); //新node塞入table後作的作的事情,在HashMap中是一個空方法(LinkedHashMap中有有使用, move node to last) return oldValue; } } ++modCount; if (++size > threshold) //新的size大於閾值(默認0.75*table.length)時,擴容. resize(); afterNodeInsertion(evict); return null; }
總結.this
1.第一次put操做時,才爲table分配內存空間,指針
2.當發生hash碰撞時,先鏈表,鏈表長度大於8時,轉爲紅黑樹.code