Java学习之自动拆箱和自动装箱

一、定义

自动装箱和自动拆箱,是从javaSE5.0开始添加的

  1. 自动装箱

把基本类型用它们对应的引用类型包装起来,使它们具有对象的特质,可以调用toString()、hashCode()、getClass()、equals()等方法。
如:Integer a=100; 实际上,执行上面那句代码的时候,系统为我们执行了:Integer i = Integer.valueOf(100); 返回一个Integer对象。

  1. 自动拆箱

与自动装箱相反,把包装类型转换为基本数据类型,如:int a = new Integer(100); 编译器内部会调用int intValue()返回该Integer对象的int值。

  1. 注意:

自动装箱和拆箱是由编译器来完成的,编译器会在编译期根据语法决定是否进行装箱和拆箱动作。

二、例子

通过下面的例子了解自动装箱


Integer a = 1000, b = 1000;
Integer c = 100, d = 100;

System.out.println(a == b);
System.out.println(c == d);

//程序输出结果
//false,true
  1. 对于例子的结果,我们先看看Integer装箱的源码

/**
当没有使用new Integer创建对象,而直接赋值Integer a=100时,
通常应优先使用该方法,而不是构造方法 Integer(int),
因为该方法有可能通过缓存经常请求的值而显著提高空间和时间性能。 
当值超过缓存的最大值IntegerCache.high时,就会返回新的Integer实例。
*/
public static Integer valueOf(int i) {
    //assert:java断言用于在代码中捕捉这些假设,
    //可以将断言看作是异常处理的一种高级形式,
    //详情百科: https://baike.baidu.com/item/assert/10931289?fr=aladdin
    assert IntegerCache.high >= 127;
    if (i >= IntegerCache.low && i <= IntegerCache.high)
        return IntegerCache.cache[i + (-IntegerCache.low)];
    return new Integer(i);
}
  1. IntegerCache类的实现

/**
缓存支持值之间的128和127(含127)的自动装箱的对象标识的语义按JLS(Java Language Specification java语言规范)。

这个缓存在第一次使用时,就进行初始化;
缓存的大小可设置jdk的 -XX:AutoBoxCacheMax=(即通过设置AutoBoxCacheMax改变缓存上界的大小来改变缓存的大小)
 
*/
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;
            //在虚拟机的初始化时,high属性可设置并保存在sun.misc.vm类的私有系统属性中。
            String integerCacheHighPropValue =
                sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high");
            if (integerCacheHighPropValue != null) {
            // 通过解码integerCacheHighPropValue,而得到一个候选的上界值  
                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);
            }
            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() {}
    }
  1. 通过查看源码,可以知道Integer在装箱时,自动缓存了-128~127的值;所以,当超过缓存的值大小时,就会创建新的Integer对象,则在两个Integer对象使用==比较时,就会为false

通过下面的例子了解自动拆箱

Integer a = new Integer(1000);  
int b = 1000;  
Integer c = new Integer(10);  
Integer d = new Integer(10);

System.out.println(a == b);  
System.out.println(c == d);  


//程序输出
// true  、false 
//Integer对象与int比较时,会先拆箱(即调用intValue()方法,返回Integer对象的int值),再比较。

总结:

  1. 在使用装箱类时,推荐使用valueOf方法创建实例来提高性能
  2. 两个Integer对象最好不要用==比较。因为:-128~127范围(一般是这个范围)内是取缓存内对象用,所以相等,该范围外是两个不同对象引用比较,所以不等。
  3. Integer和 int之间可以进行各种比较;Integer对象将自动拆箱后与int值比较

详细参考

http://blog.csdn.net/jackiehff/article/details/8509056

你可能感兴趣的:(Java学习之自动拆箱和自动装箱)