HashMap其实和Hashtable很像,仅有HashMap是线程不安全的和允许键值对为空这两个不同。HashMap是无序的。
以下是源码里面的解释,
implementation provides all of the optional map operations, and permits
* <tt>null</tt> values and the <tt>null</tt> key. (The <tt>HashMap</tt>
* class is roughly equivalent to <tt>Hashtable</tt>, except that it is
* unsynchronized and permits nulls.) This class makes no guarantees as to
* the order of the map; in particular, it does not guarantee that the order
* will remain constant over time.
HashMap是以键值对的形式基于hash表的map实现。HashMap通过get(K)、put(K,V)方法来存取键值对,
当调用put()方法时,首先通过hashcode()方法返回一个hashcode用于找到bucket位置来存储Entry对象,
Entry数组相当于一个链表,当调用put的时候,新加的元素放到头部,最先加的在尾部,如果bucket没有元素就直接
放在顶部。
当调用get()方法时,首先通过hashcode找到bucket,然后通过KEY来找到对应的Entry,通过getEntry()方法获取Entry,
final Entry<K,V> getEntry(Object key) {
int hash = (key == null) ? 0 : hash(key);
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;
}
return null;
}
通过equals方法找到该Entry, 接着return一个Entry.getValue();如果KEY为空就返回一个null
如果Entry为空也返回null,否则返回对应的value。
HashMap有两个参数影响其性能:初始容量和装载因子,capacity是hash表里面的bucket数量,初始容量就是当hash表
被创建的时候的容量装载因子是其容量在自动增长之前可以达到多满的尺度,当hash表中的Entry超过了装载因子与容量
的乘积时,Hash表通过rehash来使容量加倍。默认的初始容量为16,默认的装载因子为0.75;