Java HashMap深刻分析

hash存儲過程:
初始化:
1: 首先初始化hash結構, 初始化桶的個數和加載因子.
put(k, v):
1: 經過k的hashcode值再hash的獲得h, 再和桶的長度進行indexFor(int h, int length),得出桶的index.
2: 至關於在桶的中尋找出合適的位置.
3: 在這個位置放下這個對象:table[i] = Entry(k, v), Entry其實是一個鏈表
4: 將數據放在鏈表的第一個位置. table[i].next =new Entry(k, v, oldValue).
5: 若是數據增長到臨界值(初始大小*加載因子), 則須要從新建立之前2倍大小的桶(new_table=2*table).
6: 而後將table數據再拷貝到newtable中, 固然拷貝的只是table的索引.
get(k):
1: 經過k的hashcode值再hash的獲得h和桶的長度(length). 再進行indexFor(int h, int length),得出桶的index.
2: 取出桶中的數據Entry,因爲Entry是一個鏈表因此須要遍歷出k的hash值和key都是相等的數據.java

//HashMap
public HashMap() {
		  //即上文說的加載因子(默認0.75)
        this.loadFactor = DEFAULT_LOAD_FACTOR;
        //默認大小(12 = 16 * 0.75)
        threshold = (int)(DEFAULT_INITIAL_CAPACITY * DEFAULT_LOAD_FACTOR);
        //初始化桶的個數
        table = new Entry[DEFAULT_INITIAL_CAPACITY];
        init();
    }
    
//put方法:
public V put(K key, V value) {
    if (key == null)
        return putForNullKey(value);
        //hashCode=> hash
    int hash = hash(key.hashCode());
    //hash => index
    int i = indexFor(hash, table.length);
    for (Entry<K,V> 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;
}

 void addEntry(int hash, K key, V value, int bucketIndex) {
     //取出之前數據
    Entry<K,V> e = table[bucketIndex];
    //對新的數據封裝.
    table[bucketIndex] = new Entry<K,V>(hash, key, value, e);

    if (size++ >= threshold)
    //若是容量過大應該重建table結構.
        resize(2 * table.length);
}

void resize(int newCapacity) {
    Entry[] oldTable = table;
    int oldCapacity = oldTable.length;
    if (oldCapacity == MAXIMUM_CAPACITY) {
        threshold = Integer.MAX_VALUE;
        return;
    }

    Entry[] newTable = new Entry[newCapacity];
    transfer(newTable);
    table = newTable;
    threshold = (int)(newCapacity * loadFactor);
}

//get
public V get(Object key) {
    if (key == null)
        return getForNullKey();
    int hash = hash(key.hashCode());
    for (Entry<K,V> e = table[indexFor(hash, table.length)];
         e != null;
         e = e.next) {
        Object k;
        if (e.hash == hash && ((k = e.key) == key || key.equals(k)))
            return e.value;
    }
    return null;
}
相關文章
相關標籤/搜索