帮你详细分析下:
首先要知道:
整数装箱的原理是调用了Integer.value(int)方法,看下源代码:
//JDK版本不同,底层源代码会略有差别,但是核心思想大同小异
//装箱原理
//用代码插件不会着色- -,为了看着清晰没用..
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) {
int i = parseInt(integerCacheHighPropValue);
i = Math.max(i, 127);
// Maximum array size is Integer.MAX_VALUE
h = Math.min(i, Integer.MAX_VALUE - (-low));
}
high = h;
cache = new Integer[(high - low) + 1];//这里分配cache=new Intege[256](-128~127)
int j = low;
for(int k = 0; k < cache.length; k++)
cache[k] = new Integer(j++);//每个引用指向一个Integer对象,并且角标和对象的内容相同:cache[0]->new Integer(0) cache[1]->new Integer(1)
}
private IntegerCache() {}
}
public static Integer valueOf(int i) {
assert IntegerCache.high >= 127;
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
/*
看这个位置如果i>=-128且i<=127
那么他会使用IntegerCache类中中的一个对象数组
假设两次用到100:那么会计算出(i + (-IntegerCache.low) )同一个角标,那么说明引用的是同一个Integer对象
*/
return new Integer(i);
}
/*
在API中有这样一句话:
public static Integer valueOf(int i) 返回一个表示指定的 int 值的 Integer 实例。如果不需要新的 Integer 实例,则通常应优先使用该方法,而不是构造方法Integer(int i),因为该方法有可能通过缓存经常请求的值而显著提高空间和时间性能。 这是因为-128~127这些数据太常用了,因此在装箱时,让它们使用同一个对象.
*/