如果在面试的时候面试官问你:
Integer和int有什么区别?
你肯定会这样回答:
int是基本数据类型,Integer是int的包装类,int的初始值是0,Integer的初始值是null。
记得我当年面试的时候就是这样回答的,回答完之后我信心满满。我回去之后苦等offer,结果可想而知……当年还是太年轻……
来看几行代码:
public void TestIntegerAndInt(){
int i=128;
Integer i2=128;
Integer i3=new Integer(128);
System.out.println("<<<<<<<i==i2:"+(i == i2));
System.out.println("<<<<<<<i==i3:"+(i == i3));
}
结果等于什么?
Log:
System.out: <<<<<<<i==i2:true
System.out: <<<<<<<i==i3:true
因为在和int比较的时候,Integer会自动拆箱为int,所以为true
继续看:
Integer i4 = 127;
// java在编译的时候,被翻译成-> Integer i4 = Integer.valueOf(127);
Integer i5 = 127;
System.out.println("<<<<<<<i4==i5:"+(i4 == i5));
这个结果又是什么呢?
System.out: <<<<<<<i4==i5:true
来,继续看:
Integer i6 = 128;
// java在编译的时候,被翻译成-> Integer i6 = Integer.valueOf(128);
Integer i7 = 128;
System.out.println("<<<<<<<i6==i7:"+(i6 == i7));
Log:
System.out: <<<<<<<i6==i7:false
Why,怎么会这样呢?
不要惊慌,我们知道java在编译的时候Integer i6 = 128;
被翻译成-> Integer i6 = Integer.valueOf(128);
那我们来看看JDKInteger.valueOf(128);
源码:
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
通过源码我们得出结论:
在IntegerCache.low
和IntegerCache.high
会缓存,直接在IntegerCache.cache
里面拿,不会去new
;如果不在这个范围就会重新去new
一个新的对象。
来看看IntegerCache.low
和IntegerCache.high
的值是多少呢:
private static class IntegerCache {
static final int low = -128;
static final int high;
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;
}
从上面源码,我们得出:
IntegerCache.low=-128
IntegerCache.high=127
so:
System.out: <<<<<<<i4==i5:true
System.out: <<<<<<<i6==i7:false
继续看:
Integer i2=127;
//new Integer()会自动拆箱为int,所以为true
Integer i3=new Integer(127);
System.out.println("<<<<<<<i2==i3:"+(i2 == i3));
Log:
System.out: <<<<<<<i2==i3:false
不是说好了应该等于true么,为什么又等于false了呢?
来做一下总结:
1.Integer
与new Integer()
不会相等,因为他们在做比较的时候,不会经历拆箱过程,i2的引用指向栈,而i3指向堆,他们的内存地址不一样,所以为false
2.两个都是非new出来的Integer,如果数在-128到127之间,则是true,否则为false,java在编译Integer i2 = 128的时候,被翻译成-> Integer i2 = Integer.valueOf(128);JDK本身会对-128到127之间的数进行缓存
3.两个都是new出来的,都为false
4.int和integer(无论new否)比,都为true,因为会把Integer自动拆箱为int再去比