先看一段簡單的程式碼:
Integer v1 = Integer.valueOf(12); Integer v2 = Integer.valueOf(12); Integer v3 = Integer.valueOf(129); Integer v4 = Integer.valueOf(129); System.out.println(v1 == v2); System.out.println(v3 == v4);
輸出結果是啥呢?第一個是 true,第二個是false。
為啥呢?
public static Integer valueOf(int i) { if (i >= IntegerCache.low && i <= IntegerCache.high) return IntegerCache.cache[i + (-IntegerCache.low)]; return new Integer(i); }
看原始碼得知,當 i 在預設條件下(-127到128)之間,從快取中取值,否則重新 new 一個 Integer 物件。詳細程式碼如下:
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; }
所以,我們上述的程式碼執行結果為 true 和 false。Integer(12) 兩次都是取的快取的值,129兩次分別重新建立物件。
不過從註釋上可以瞭解到,可以調整jvm引數來定快取陣列的大小。
* The cache is initialized on first usage. The size of the cache * may be controlled by the {@code -XX:AutoBoxCacheMax=<size>} option.
再次重新執行,輸出結果都為 true。因為把快取集合的空間大小調整到了 130 + 127 ,所以 129 也從快取中取。再試一次 取131 對比。