java中对基本类型有做缓存策略,以Integer类型为例。

1
2
3
4
5
6
7
8
9
10
11
12
public static void main(String[] args) {

Integer int1 = 1;
Integer int2 = 1;
//输出true
System.out.println(int1 == int2);
Integer int3 = 200;
Integer int4 = 200;
//输出false
System.out.println(int3 == int4);
}

java中‘==’是比较引用,但实际上两次输出的结果一次为true,一次为false,这就很纳闷了,为什么结果会不同呢。其实在java中有对基本类型做缓存,例如Integer类型,-128 至 127之间的数值被缓存,所以第一次比较两个对象是同一个引用,而200这个数值已经超过了范围,int3和int4都是新创建的,它们不是同一个引用。

缓存是如何实现的?

Integer中有一个内部类IntegerCache,如下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
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有缓存,其他类型也有,比如:ByteCache、ShortCache、LongCache等