/**
* the array of bins. lazily initialized upon first insertion.
* size is always a power of two. accessed directly by iterators.
*/
transient volatile node<k,v>[] table;
我们知道volatile可以修饰数组的,只是意思和它表面上看起来的样子不同。举个栗子,volatile int array[10]是指array的地址是volatile的而不是数组元素的值是volatile的. 用volatile修饰的node
get操作可以无锁是由于node的元素val和指针next是用volatile修饰的,在多线程环境下线程a修改因为hash冲突修改结点的val或者新增节点的时候是对线程b可见的。
static class node<k,v> implements map.entry<k,v> {
final int hash;
final k key;
//可以看到这些都用了volatile修饰
volatile v val;
volatile node<k,v> next;
node(int hash, k key, v val, node<k,v> next) {
this.hash = hash;
this.key = key;
this.val = val;
this.next = next;
}
public final k getkey() { return key; }
public final v getvalue() { return val; }
public final int hashcode() { return key.hashcode() ^ val.hashcode(); }
public final string tostring(){ return key + "=" + val; }
public final v setvalue(v value) {
throw new unsupportedoperationexception();
}
public final boolean equals(object o) {
object k, v, u; map.entry<?,?> e;
return ((o instanceof map.entry) &&
(k = (e = (map.entry<?,?>)o).getkey()) != null &&
(v = e.getvalue()) != null &&
(k == key || k.equals(key)) &&
(v == (u = val) || v.equals(u)));
}
/**
* virtualized support for map.get(); overridden in subclasses.
*/
node<k,v> find(int h, object k) {
node<k,v> e = this;
if (k != null) {
do {
k ek;
if (e.hash == h &&
((ek = e.key) == k || (ek != null && k.equals(ek))))
return e;
} while ((e = e.next) != null);
}
return null;
}
}