背景
先从查找算法说起,我们知道常用的查找算法有顺序查找(时间复杂度为O(n)),二分查找(时间复杂度为O(log2n)),二叉查找树查找(O(longN)),有基于Hash表的算法时间复杂度只有O(1)
但是基于hash表的算法要额外维护一个hash表,这也是用空间换时间的例子吧.
什么是HashMap
hashMap可以拆分为hash和map,hash是一个函数,或者说算法,用来计算hashCode;
可以定义为:hashCode = Hash(key)
map用来存放hashCode和key,以及value,根据key取出某个值,只需要调用函数,计算出hashCode即可拿到value,所以时间复杂度为O(1);
构造散列表常用的方法
1.数字分析法
2.平方取中法
3.折叠法
4.除留余数法
处理冲突的方法:
1.开放地址法
1.线性探测法
2.二次探测法
3.伪随机探测
2.链地址法(Java集合框架中hashmap处理冲突采用的方法)
Java集合框架中Hashmap的分析
在此不拿源码作为分析,从源码中截取比较有意思的几个片段作为分析
hashMap中为什么要求table的长度为2的n次幂?
在源码中有这样说:
/**
* Returns a power of two size for the given target capacity.
*/
static final int tableSizeFor(int cap) {
int n = cap - 1;
n |= n >>> 1;
n |= n >>> 2;
n |= n >>> 4;
n |= n >>> 8;
n |= n >>> 16;
return (n < 0) ? 1 : (n >= MAXIMUM_CAPACITY) ? MAXIMUM_CAPACITY : n + 1;
}
这是保证初始化的hashMap的长度为2的次幂;
而在hashmap中通过定位某一个元素,是根据它的key和key的hashcode找出value的
final Node<K,V> getNode(int hash, Object key) {
Node<K,V>[] tab; Node<K,V> first, e; int n; K k;
if ((tab = table) != null && (n = tab.length) > 0 &&
(first = tab[(n - 1) & hash]) != null) {
//注意这句
if (first.hash == hash && // always check first node
((k = first.key) == key || (key != null && key.equals(k))))
return first;
if ((e = first.next) != null) {
if (first instanceof TreeNode)
return ((TreeNode<K,V>)first).getTreeNode(hash, key);
do {
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
return e;
} while ((e = e.next) !=