一、创建HashSet对象
public class Test1 {
public static void main(String[] args) {
HashSet<Student> set = new HashSet<Student>();
set.add(new Student("100"));
set.add(new Student("100"));
}
}
二、创建学生类
public class Student {
private String id;
public Student(String id) {
this.id = id;
}
}
此时学生类中没有重写equals方法
三、分析add方法
与之前调用add方法时的情况类似:
先进入add方法中:
public boolean add(E e) {
return map.put(e, PRESENT)==null;
}
再进入put方法中:
public V put(K key, V value) {
return putVal(hash(key), key, value, false, true);
}
由于传入两次对象的地址不同,所以两次传入putVal中的hash值也不同。
最后进入putVal方法中:
final V putVal(int hash, K key, V value, boolean onlyIfAbsent,
boolean evict) {
Node<K,V>[] tab; Node<K,V> p; int n, i;
if ((tab = table) == null || (n = tab.length) == 0)
n = (tab = resize()).length;
if ((p = tab[i = (n - 1) & hash]) == null)
tab[i] = newNode(hash, key, value, null);
else {
Node<K,V> e; K k;
if (p.hash == hash &&
((k = p.key) == key || (key != null && key.equals(k))))
e = p;
else if (p instanceof TreeNode)
e = ((TreeNode<K,V>)p).putTreeVal(this, tab, hash, key, value);
else {
for (int binCount = 0; ; ++binCount) {
if ((e = p.next) == null) {
p.next = newNode(hash, key, value, null);
if (binCount >= TREEIFY_THRESHOLD - 1) // -1 for 1st
treeifyBin(tab, hash);
break;
}
if (e.hash == hash &&
((k = e.key) == key || (key != null && key.equals(k))))
break;
p = e;
}
}
if (e != null) { // existing mapping for key
V oldValue = e.value;
if (!onlyIfAbsent || oldValue == null)
e.value = value;
afterNodeAccess(e);
return oldValue;
}
}
++modCount;
if (++size > threshold)
resize();
afterNodeInsertion(evict);
return null;
}
分析putVal方法:
先在集合中存入第一个对象。
当向putVal方法中传入第二个对象时,执行第六行代码,由于两个对象的地址值不同,所以对应的hashCode值也不同,即两个对象的hash值不同,所以这两个对象的存储位置不同,也就是说存第二个对象时tab[i = (n - 1) & hash]为null。
接着执行第7行代码,成功存入向集合中存入第二个对象
这种情况是由于地址值不同hash值一定不同造成的。