java‘小秘密’系列(二)---Integer
目录
分析
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() {}
}
- Integer类里面有个静态内部类IntegerCache,IntegerCache里面维护一个Integer类型的数组,默认情况下缓存-128到127的Integer对象
- 缓存的范围可以通过-XX:AutoBoxCacheMax=size参数来设置
- 注意缓存策略只有只有在装箱的时候起作用
实验一
public static void main(String[] args) {
Integer i1=new Integer(127);
Integer i2=new Integer(127);
System.out.println(i1==i2);
//false
}
- 实验表明通过new来创建的对象,因为是在堆中的两个空间,所以显然是不同的
实验二
public static void main(String[] args) {
Integer i1=127;
Integer i2=127;
System.out.println(i1==i2);
//true
}
- 实验表明通过自动装箱的情况下,i1==i2,也就是指向的是同一个对象
实验三
public static void main(String[] args) {
Integer i1=127;
}
- 对其进行反汇编
实验表明自动装箱的效果等效于调用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处于缓存的范围内的时候,使用的缓存的cache数组中的对象,超出范围后,是创建一个新的对象
实验四
public static void main(String[] args) {
Integer i1=Integer.valueOf(127);
Integer i2=127;
System.out.println(i1==i2);
//true
}
- 实验表明,自动装箱的效果和valueOf方法效果一致
实验五
public static void main(String[] args) {
Integer i1=128;
Integer i2=128;
System.out.println(i1==i2);
//false
}
- 实验表明当超出范围后,会重新创建对象
实验六
// -XX:AutoBoxCacheMax=128
public static void main(String[] args) {
Integer i1=128;
Integer i2=128;
System.out.println(i1==i2);
//true
}
- 实验表明,AutoBoxCacheMax可以设置Integer的缓存范围的最大值
实验7
public static void main(String[] args) {
Integer sum = 0;
sum=sum+128;
}
- 通过反汇编,发现在相加的时候,Integer会进行拆箱(intValue()),相加后,然后再进行装箱(valueOf())
实验八
public static void main(String[] args) {
t1();
t2();
}
public static void t1() {
Long start = System.currentTimeMillis();
Integer sum = 0;
for (int i = 130; i < 1000000; i++) {
sum = sum + i;
}
System.out.println(System.currentTimeMillis() - start);
}
public static void t2() {
Long start = System.currentTimeMillis();
int sum = 0;
for (int i = 130; i < 1000000; i++) {
sum = sum + i;
}
System.out.println(System.currentTimeMillis() - start);
}
// 输出 10 3
- 实验表明,通过Integer进行相加效率更慢,因为每一次循环,Integer会进行自动装箱自动拆箱,超出范围后每次装箱的时候还会重新创建对象,所以即消耗空间又消耗时间