Integer i1 = 100; //自动装箱
Integer i2 = 100;
Integer i5 = Integer.valueOf("100");
Integer i3 = 128;
Integer i4 = 128;
System.out.println(i1 == i2);
System.out.println(i2 == i5);
System.out.println(i3 == i4);
结果如下所示:
true
true
false
这里自动调用 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);
}
当 i 在一定范围内 则 Integer 值就直接从 cache 中直接获取,不需要 new Integer 对象,那么范围是多少呢?
IntegerCache 的源码如下所示
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;
}
private IntegerCache() {}
}
所以 IntegerCache 中的最小值是 -128, 如果在JVM 中没有 java.lang.Integer.IntegerCache.high
相关配置,则最大值为 127。
可以在执行之前在 JVM 中添加相关参数,如
-Djava.lang.Integer.IntegerCache.high=200 再次执行结果如下所示:
true
true
true