java Integer.valueOf()方法

QQ交流群:335671559


Integer.valueOf()方法实现如下:

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

Integer.valueOf()方法基于减少对象创建次数和节省内存的考虑,缓存了[-128,127]之间的数字。此数字范围内传参则直接返回缓存中的对象。在此之外,直接new出来。

IntegerCache的实现:

 private static class IntegerCache {
        static final int low = -128;
        static final int high;
        static final Integer cache[];
        static {
            int h = 127;
            String integerCacheHighPropValue =
                sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high");
            if (integerCacheHighPropValue != null) {
                int i = parseInt(integerCacheHighPropValue);
                i = Math.max(i, 127);
                // Maximum array size is Integer.MAX_VALUE
                h = Math.min(i, Integer.MAX_VALUE - (-low));
            }
            high = h;
            cache = new Integer[(high - low) + 1];
            int j = low;
            for(int k = 0; k < cache.length; k++)
                cache[k] = new Integer(j++);
        }
        private IntegerCache() {}
    }

测试代码

[java]  view plain copy
  1. Integer i1 = Integer.valueOf(12);  
  2. Integer i2 = Integer.valueOf(12);  
  3. Integer i3 = Integer.valueOf(129);  
  4. Integer i4 = Integer.valueOf(129);  
  5. System.out.println(i1==i2);  
  6. System.out.println(i3==i4);  
  7. System.out.println(i1.equals(i2));  
  8. System.out.println(i3.equals(i4));  
  9. System.out.println(Integer.valueOf("127")==Integer.valueOf("127"));
  10. System.out.println(Integer.valueOf("128")==Integer.valueOf("128"));
  11. System.out.println(Integer.valueOf("128")==Integer.parseInt("128"));

打印结果如下:

true
false
true
true

true
false
true


原文: http://blog.csdn.net/randyjiawenjie/article/details/7603427

你可能感兴趣的:(java)