1. 程式人生 > >Java:簡述1000==1000返回false,100==100返回true

Java:簡述1000==1000返回false,100==100返回true

Java:簡述1000 = = 1000返回false,100 = = 100返回true

大家覺得如下程式碼的結果是什麼呢?

public static void main(String[] args) {
   Integer a = 1000, b = 1000;
   System.out.println(a == b);

   Integer c = 100, d = 100;
   System.out.println(c == d);
}

實際的結果如下:

false
true

我們知道:
如果兩個引用指向同一個物件,那麼它們使用"= =“比較返回true.
如果兩個引用指向不同的物件,那麼即使它們具有相同的內容,它們使用”= ="比較返回false。

當我們宣告類似以下內容的時候:

Integer a = 1000;

它實際在進行如下操作:

Integer i = Integer.valueOf(1000);

我們來看看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);
}

再檢視Integer.java類,會發現有一個內部私有類,IntegerCache.java,它快取-128和127之間的所有Integer物件。

public final class Integer extends Number implements Comparable {
    ......
     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() {}
    }
    ......
}

綜上所述:
    如果整數的值介於-128和127之間,那麼將返回快取中的物件,所以是同一個物件。
    如果是這個範圍之外的值,則會建立新的物件。

通常情況下,小整數比大整數使用得更頻繁,因此使用相同的底層物件來減少潛在的記憶體佔用。