1. 程式人生 > >JDK原始碼細節——Long與Integer的快取問題

JDK原始碼細節——Long與Integer的快取問題

也是在道友的面經中看到這個問題,然後去查了一下,也自己去看了原始碼核實了一下,看的原始碼版本是jdk1.8,以此做個記錄

建立長整型的包裝類Long的例項時,可以是

Long a = 100L;//自動裝箱
Long b = Long.valueOf(100L);//靜態方法
Long c = new Long(100L);//構造器

我們用“==”來判斷一下幾個物件

Long a = 100L;
Long b = Long.valueOf(100L);
Long c = new Long(100L);

System.out.println(a==b);//true
System.out.println(a==c);//false
System.out.println(b==c);//false

但是如果將100L修改為128L,結果卻是

Long a = 128L;
Long b = Long.valueOf(128L);
Long c = new Long(128L);
        
System.out.println(a==b);//false
System.out.println(a==c);//false
System.out.println(b==c);//false

這裡區別在於100L的時候a、b是同一個例項,而128L的時候a、b不是同一個例項,我們去翻一下Long的原始碼,找到這個valueOf方法

    public static Long valueOf(long l) {
        final int offset = 128;
        if (l >= -128 && l <= 127) { // will cache
            return LongCache.cache[(int)l + offset];
        }
        return new Long(l);
    }
    private static class LongCache {
        private LongCache(){}

        static final Long cache[] = new Long[-(-128) + 127 + 1];

        static {
            for(int i = 0; i < cache.length; i++)
                cache[i] = new Long(i - 128);
        }
    }

可見這裡有這麼一個static final的陣列,是在靜態程式碼塊裡初試化的,如果這個數字的範圍是在-128——127之間,就不會呼叫構造器,而是返回這個數組裡的物件,所以得到的會是同一個物件,“==”結果為true。

對於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);
    }
    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快取的下屆是-128,上屆是可以通過jvm引數-XX:AutoBoxCacheMax=size指定,取指定值與127的最大值並且不超過Integer表示範圍,如不指定那就是127了。

JDK的設計上有很多細節,也可以理解為很多坑,如果沒有仔細的研究過你正在使用的JDK類的話,可能很難理解你所遇到的問題,致自己。