hashMap源码分析

java基本存储结构:数组和链表

hashMap就是数组加链表的存储结构。

put源码:

public V put(K key, V value) {

        if (table == EMPTY_TABLE) {

            inflateTable(threshold);

        }

        if (key == null)

            return putForNullKey(value);

        int hash = hash(key);

        int i = indexFor(hash, table.length);

        for (Entry e = table[i]; e != null; e = e.next) {

            Object k;

            if (e.hash == hash && ((k = e.key) == key || key.equals(k))) {

                V oldValue = e.value;

                e.value = value;

                e.recordAccess(this);

                return oldValue;

            }

        }

        modCount++;

        addEntry(hash, key, value, i);

        return null;

    }

根据每个key进行hash,hash的源码如下:

    final int hash(Object k) {

        int h = hashSeed;

        if (0 != h && k instanceof String) {

            return sun.misc.Hashing.stringHash32((String) k);

        }

        h ^= k.hashCode();

        // This function ensures that hashCodes that differ only by

        // constant multiples at each bit position have a bounded

        // number of collisions (approximately 8 at default load factor).

        h ^= (h >>> 20) ^ (h >>> 12);

        return h ^ (h >>> 7) ^ (h >>> 4);

    }

hash的作用就是把每个put进来的值,通过移位与运算,来实现分布均匀,最好的情况就是hashmap数组中每一个位置都有一个值。每次put进去的时候,hashMap的size加1,当size大于容量,通过resize 函数来使hashmap的大小扩容为原来的两倍,内部实现就是再创建一个新的数组,然后通过tranfer来把元素拷贝过去。tranfer的源码如下:

    void transfer(Entry[] newTable, boolean rehash) {

        int newCapacity = newTable.length;

        for (Entry e : table) {

            while(null != e) {

                Entry next = e.next;

                if (rehash) {

                    e.hash = null == e.key ? 0 : hash(e.key);

                }

                int i = indexFor(e.hash, newCapacity);

                e.next = newTable[i];

                newTable[i] = e;

                e = next;

            }

        }

    }

分析:循环原table,当某个[i]的位置上有两个或以上元素时,循环链表,注意这里是将后循环到的元素插到了链表的头部,另外因为时重新hash值,所以某些元素的位置会发生变化。

以上中的Entry的结构是:

static class Entry implements Map.Entry {

        final K key;

        V value;

        Entry next;

        int hash;

Entry(int h, K k, V v, Entry n) {

            value = v;

            next = n;

            key = k;

            hash = h;

        }

}

你可能感兴趣的:(hashMap源码分析)