先看现象吧
执行下面的代码及输出结果:
int a = 1; Integer b = 1; Integer c = new Integer(1); System.out.println(a==b);//true System.out.println(a==c);//true System.out.println(b==c);//false 复制代码
通常大家对此的解释是,==对于基本类型来说比较的是值,对于引用类型来说比较的是引用,即指向的对象的内存地址。这样解释没错,b==c结果为false毋庸置疑,因为两个都是引用类型。但是为什么a==b(a==c)一个是基本类型一个是引用类型,比较的时候还是值比较呢?
这个时候我们不妨把.java源文件编译后的.class文件使用反编译工具反编译成源码,看看虚拟机内部是如何处理a==b的。
.class文件使用jd-gui反编译后的:
int a = 1; Integer b = Integer.valueOf(1); Integer c = new Integer(1); System.out.println(a == b.intValue()); System.out.println(a == c.intValue()); System.out.println(b == c); 复制代码
看到这想必大家都明白了吧,其实基本类型a和引用类型b比较时,引用类型b调用自身的intValue()方法获取Integer实际表示的int类型的值,即a == b.intValue()还是两个int类型的变量进行值比较。符合上述:==对于基本类型来说比较的是值,对于引用类型来说比较的是引用,即指向的对象的内存地址。
说到这,还要解释下为什么两个引用类型的值一样而引用不一样以及基本变量为什么是值比较。
其实基本变量int a在内存里只有一份,保存在栈(保存基本类型的变量数据及引用类型的引用)中,Integer b和Integer c中的int值都指向栈中同一个int,不会重新在栈中创建相同的int值。
而对于Integer b和Integer c,其实例是保存在堆(保存所以new出来的对象)中,虽然表示的int值相同,但是在堆中有两份,每次new都会在堆中开辟一片空间保存new的内容,故Integer b和Integer c分别在两片不同的内存空间存储,所以指向的内存地址不同。
而对于Integer b = 1;其反编译后为Integer b = Integer.valueOf(1); 而valueOf()方法内部是调用了new。
JDK中Integer.valueOf()源码:
public static Integer valueOf(int i) { if (i >= IntegerCache.low && i <= IntegerCache.high) return IntegerCache.cache[i + (-IntegerCache.low)]; return new Integer(i); } 复制代码