1. 缓存机制
1. 现象
Integer c = 3;
Integer d = 3;
Integer e = 321;
Integer f = 321;
System.out.println(c == d);//true
System.out.println(e == f);//false
2. 解释
Integer c = 3;这个操作实际上是自动装箱的操作,真实的是Integer c = Integer.valueOf(3);
看了一下Integer.valueOf源码发现:
class 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() {}
}
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
}
可以看到默认情况下:Integer有一个static代码块,目的是初始化一个长度为256的Integer对象数组,当valueOf传入值在[-128, 127]区间时,就会返回这个数组的一个元素。
所以c和d是指向同一个对象。而e和f是不同的对象。
3. 结论
- 对于Boolean、Byte、Character、Short、Integer、Long六种基本类型,
对于一个字节以内的值-128到127(Boolean只有true和false)都实现了缓存机制。
不在此范围的数才在对应的valueOf()方法中new出一个新的对象。 - 但是对于Double和Float类型的浮点数据,在-128到127之间除了256个整数外还有无数的小数,
故java中没有实现Double和Float中一些数的缓存。
所以,对于Double和Float的自动装箱,都是new出新的对象。
2. 自动装箱与自动拆箱的时机
1. 自动装箱
Integer a = 1;//自动装箱 其中调用的是Integer.valueOf函数
自动装箱很简单。
2. 自动拆箱
int i1 = new Integer(2);//(1)自动拆箱 其实调用的就是i1.intValue()函数
Integer i2 = 2;
System.out.println(i2 == 2);//(2)true i2自动拆箱
Integer i3 = 3;
Long i4 = 5L;
System.out.println(i4 == (i2 + i3));//(3)true 算术运算符会导致自动拆箱
Integer i5 = 321;
Integer i6 = 321;
System.out.println(i5 == i6);//(4)false ==不会进行自动拆箱
System.out.println(i4.equals(i2+i3));//(5)false equals方法不会进行类型转换
自动拆箱的时机:
- 当遇到int i = Integer的赋值语句时
- 当==两端一个是包装类,一个是基础数据时,包装类会自动拆箱
- 拆箱只发生在非==时,即两个包装类进行算术运算都是自动拆箱(解释了3和4的现象)
- 包装类的equals方法不会进行类型转换。(解释了5的现象)
注意上面说的自动拆箱的时机适用于所有包装类(Double/Float等)
举个例子:
Integer i2 = 2;
Integer i3 = 3;
Double d1 = 5.0;
System.out.println(d1 == i2+i3);//true
网友评论