一继承关系
-
实现父类抽象方法put,entrySet,重写父类增删改查方法
二.结构
默认容量
static final int DEFAULT_INITIAL_CAPACITY = 1 << 4; // aka 16
扩容因子
static final float DEFAULT_LOAD_FACTOR = 0.75f;
- 存储结构 Entry<K,V>数组加链表
static class Entry<K,V> implements Map.Entry<K,V> {
final K key;
V value;
Entry<K,V> next;//包含下一个指向的引用
int hash;
....
}
- put与get方法
public V put(K key, V value) {
int hash = hash(key);
int i = indexFor(hash, table.length);
//如果key相同更新值
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;
}
}
//如果key不同则增加Entry数组
addEntry(hash, key, value, i);
return null;
}
void addEntry(int hash, K key, V value, int bucketIndex) {
if ((size >= threshold) && (null != table[bucketIndex])) {
//当数组容量>大于数组大小的0.75时(默认情况),扩容两倍
resize(2 * table.length);
hash = (null != key) ? hash(key) : 0;
bucketIndex = indexFor(hash, table.length);
}
createEntry(hash, key, value, bucketIndex);
}
//根据 bucketIndex插入元素,若该地址有有元素,则将原有元素链到新添加元素后面
void createEntry(int hash, K key, V value, int bucketIndex) {
Entry<K,V> e = table[bucketIndex];//获取原有元素
table[bucketIndex] = new Entry<>(hash, key, value, e);//构造 Entry并加到 Entry数组中
size++;
}
//遍历指定index的数组及next元素
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 != null && key.equals(k))))
return e;
}
- hashcode如何取值
final int hash(Object k) {
int h = hashSeed;
if (0 != h && k instanceof String) {
return sun.misc.Hashing.stringHash32((String) k);
}
h ^= k.hashCode();//调用native方法
h ^= (h >>> 20) ^ (h >>> 12);
return h ^ (h >>> 7) ^ (h >>> 4);
}
三.三种视图
- entrySet(): 返回此映射所包含的映射关系的 Set 视图。
- keySet():返回此映射中所包含的键的 Set 视图。
- values():返回此映射所包含的值的 Collection 视图。