Integer的缓存机制

先看一段测试:

 1 public class TestInteger {
 2     public static void main(String[] args) {
 3         int sum = 0;
 4         for (int i = -128; i <= 127;  i++) {
 5             Integer j = i;  // 自动装箱
 6             Integer k = i;
 7             if(j == k) sum++;
 8         }
 9         System.out.println(sum); // 256
10         Integer a = -129, b = -129;
11         Integer c = 128, d = 128;
12         System.out.println("a == b: " + (a == b)); // false
13         System.out.println("c == d: " + (c == d)); // false
14         // Integer 在与 int类型的值在比较的时候  是用自身的value进行比较
15         Integer e = 2000;
16         int f = 2000;
17         System.out.println("e == f: " + (e == f)); // true
18     }
19 }

从上面的代码可以看出,在创建-128 ~ 127之间的Integer对象,value相同的Integer对象是同一个对象。

这是由于Integer的缓存机制起的作用。

Integer的缓存机制:为了节省内存和提高性能,Integer类在内部通过使用相同的对象引用实现缓存和重用,Integer类默认在-128 ~ 127 之间,可以通过 -XX:AutoBoxCacheMax进行修改,且这种机制仅在自动装箱的时候有用,在使用构造器创建Integer对象时无用。

public class TestInteger02 {
    public static void main(String[] args) {
        int sum = 0;
        for (int i = -128; i <= 127; i++) {
            Integer j = new Integer(i);
            Integer k = new Integer(i);
            if (j == k) sum++;
        }
        System.out.println(sum);  // 结果是 0
    }
}

自动装箱:将基本数据类型转换为包装器类型

自动拆箱:将包装器类型装换为基本数据类型

Integer j = 20;  自动装箱,相当于调用Integer.valueOf(20),首先会判断 20 是否在 -128~127之间,如果在就直接从IntegerCache.cache缓存中获取指定数字的包装类,否自new一个Integer对象。

public static Integer valueOf(int i) {
    if (i >= IntegerCache.low && i <= IntegerCache.high)
        return IntegerCache.cache[i + (-IntegerCache.low)];
    return new Integer(i);
}

 

// IntergerCache是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() {}
}

自动装箱与自动拆箱的实现机制: 享元模式(复制内存中已存在的对象,降低系统创建对象实例的内存)

 

posted @ 2019-09-07 10:42  DDiamondd  阅读(881)  评论(0编辑  收藏  举报
TOP