1、java中==和equals和hashCode的区别
(1)==
对于byte、short、char、int等基础类型,他们用“==”比较的是值 。当用于比较引用类型时,如类,数组,他们比较的是内存地址 。
注意:
- Integer == Integer,因为前后都是对象,所以比较的是引用。
- int == Integer 这里会自动拆箱为int, 所以比较得是值。
看看一下代码
Integer a1 = 127;
Integer b1 = 127;
Integer a = 128;
Integer b = 128;
Integer c = new Integer(127);
System.out.println("a1==Integer2:" + (a1== b1));
System.out.println("a1 ==c:" + (a1== c));
输出结果为
2020-11-05 21:41:26.935 14401-14401/com.example.zzq I/System.out: a1==b1:true
2020-11-05 21:41:26.935 14401-14401/com.example.zzq I/System.out: a1 ==c:false
2020-11-05 21:41:26.935 14401-14401/com.example.zzq I/System.out: a ==b:false
这几个输出结果可能有点不好理解。
首先对于代码Integer a1 = 127; 经过java编译后 ,会被翻译为
Integer b1 = Integer.valueOf(127);
我们再看看valueOf的源码
public static Integer valueOf(int i) {
//这里对传入的数值做了缓存
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
private static class IntegerCache {
static final int low = -128;//缓存边界的低值
static final int high; //缓存边界的高值,有下面代码可以看出是127
static final Integer cache[];
static {
// high value may be configured by property
int h = 127;
String integerCacheHighPropValue =
sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high");
if (integerCacheHighPropValue != null) {
try {
int i = parseInt(integerCacheHighPropValue);
i = Math.max(i, 127);
// Maximum array size is Integer.MAX_VALUE
h = Math.min(i, Integer.MAX_VALUE - (-low) -1);
} catch( NumberFormatException nfe) {
// If the property cannot be parsed into an int, ignore it.
}
}
high = h;
cache = new Integer[(high - low) + 1];
int j = low;
for(int k = 0; k < cache.length; k++)
cache[k] = new Integer(j++);
// range [-128, 127] must be interned (JLS7 5.1.7)
assert IntegerCache.high >= 127;
}
private IntegerCache() {}
}
由以上源码可以看出在Integer.valueOf()方法中,程序对-128—127之间的数字做了缓存,只要是以这种方式申明这之间的数字变量,都是取缓存中的Integer对象,即他们对象的引用都是相同的,所以a1==b1是true。c是直接new了一个新对象,a1 ==c为false还是比较好理解。而128不在缓存区间内,是直接new Integer对象,所以a ==b为false。
(2)equals
一般对象如果没有复写equals方法,我们先看看Object中的equals实现。
public boolean equals(Object obj) {
return (this == obj);
}
这种实际是跟“==”一样,比较的是两个对象的引用地址。
如果对象复写了equals方法,那就按复写的逻辑进行比较。
(3)hashCode
hashCode是在对象的内存地址基础上经过特定算法返回一个hash码。
这里如两个对象没有复写equals,直接用Object 的equals比较,如果返回true,则他们的hashCode一定相等。由于算法可能存在的缺陷,也就是哈希冲突的存在,即使两个对象的hashCode相同,两个对象的地址也可能不同,也就是不是同一个对象。