java自动装箱

public static void main(String[] args) {  
//java的自动装箱
    Integer x = 100; 
    Integer y = 100;  
    System.out.println(x == y);//输出true
    int a1 = 200;  
    int b1 = 200;  
    System.out.println(a1 == b1);//输入false
}

   //查看自动装箱方法Integer.valueOf(int)的源码
    public static Integer valueOf(int i) {
        if(i >= -128 && i <= IntegerCache.high)
            return IntegerCache.cache[i + 128];
        else
            return new Integer(i);
    }

继续查看缓存方法
private static class IntegerCache {
        static final int high;
        static final Integer cache[];

        static {
            final int low = -128;

            // high value may be configured by property
            int h = 127;
            //integerCacheHighPropValue由JVM虚拟机进行配置(源码注释)
            if (integerCacheHighPropValue != null) {
                // Use Long.decode here to avoid invoking methods that
                // require Integer's autoboxing cache to be initialized
            //decode方法可以将对应的正负,二进制,八进制,十六进制等转换成十进制的正数
                int i = Long.decode(integerCacheHighPropValue).intValue();
                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() {}
    }

可以发现,在-128到127(如果JVM没有配置integerCacheHighPropValue的情况)之间的数,会从缓存中取,所以第一个输出,自动装箱后是同一个对象,所以地址相同,输出true;第二种方法类似于new了两个Integer对象,地址不一样,所以为false

你可能感兴趣的:(java)