特别是在第393行查看代码时,看起来不同的哈希值已映射到相同的索引。我理解哈希码用于确定要使用HashMap中的哪个存储桶,并且存储桶由具有相同哈希码的所有条目的链表组成。他们为什么要进行e.hash == hash
检查?
public V put(K key, V value) {
if (key == null)
return putForNullKey(value);
int hash = hash(key.hashCode());
int i = indexFor(hash, table.length);
for (Entry 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;
}
答案 0 :(得分:2)
由于哈希码可以是2 ^ 32值中的一个,因此很少有哈希值具有如此多的桶(只需要该表需要16GB的内存)。所以,是的,您可以在地图的相同存储桶中使用具有不同哈希值的对象(AFAIK,它是hachCode % numberOfBuckets
的简单模数运算)。
请注意,该代码不会直接使用key.hashCode()
,而是使用hash(key.hashCode())
。
答案 1 :(得分:1)
此检查是考虑到碰撞的优化
您可以拥有2个具有相同散列键的元素(由于冲突),因此映射到同一个存储桶。相同的关键不同的实际元素
因此,如果e.hash != hash
您不需要检查是否相等(这可能是一项昂贵的操作)
答案 2 :(得分:0)
答案是令人惊讶的。我把Sysout放在put()的代码中来观察它的行为
public V put(K key, V value) {
if (table == EMPTY_TABLE) {
System.out.println("Put: Table empty. Inflating table to threshold:" + threshold);
inflateTable(threshold);
}
if (key == null)
return putForNullKey(value);
int hash = hash(key);
System.out.println("Put: Key not null:" + hash);
int i = indexFor(hash, table.length);
System.out.println("Put: Obtained index:" + i);
for (Entry<K, V> e = table[i]; e != null; e = e.next) {
System.out.println("Put: Iteraing over table[" + i + "] elements");
Object k;
System.out.println("Put: Checking if hash & key are equal");
if (e.hash == hash && ((k = e.key) == key || key.equals(k))) {
V oldValue = e.value;
e.value = value;
e.recordAccess(this);
return oldValue;
}
}
System.out.println("Put: Incrementing modCounter");
modCount++;
System.out.println("Put: Adding a new Entry[hash="
+ hash + ", key=" + key + ", value="
+ value + ", i=" + i + "]");
addEntry(hash, key, value, i);
return null;
}
然后使用以下输入进行测试,
public V put(K key, V value) {
if (table == EMPTY_TABLE) {
System.out.println("Put: Table empty. Inflating table to threshold:" + threshold);
inflateTable(threshold);
}
if (key == null)
return putForNullKey(value);
int hash = hash(key);
System.out.println("Put: Key not null:" + hash);
int i = indexFor(hash, table.length);
System.out.println("Put: Obtained index:" + i);
for (Entry<K, V> e = table[i]; e != null; e = e.next) {
System.out.println("Put: Iteraing over table[" + i + "] elements");
Object k;
System.out.println("Put: Checking if hash & key are equal");
if (e.hash == hash && ((k = e.key) == key || key.equals(k))) {
V oldValue = e.value;
e.value = value;
e.recordAccess(this);
return oldValue;
}
}
System.out.println("Put: Incrementing modCounter");
modCount++;
System.out.println("Put: Adding a new Entry[hash="
+ hash + ", key=" + key + ", value="
+ value + ", i=" + i + "]");
addEntry(hash, key, value, i);
return null;
}
猜猜输出是什么
MyHashMap p = new MyHashMap<>();
p.put(0, "Z");
p.put(1, "A");
p.put(17, "A");
因此,正如您所看到的,两个条目存储在同一索引中。很高兴看到这样的行为。好奇地试图得到答案。