<span style="font-family: Arial, Helvetica, sans-serif; background-color: rgb(255, 255, 255);">为什么Java会有装箱的举措?</span>

首先,Java的类型分为基础类型和引用类型。基础类型:int、float、double、boolean、char、byte、long、short。

整形类型:byte、short、int、long以及char,位长分别为:8、16、32、64bit以及16bit,char为16位和c、c++不一样,因为Java是Unicode编码。

char  c ='天';
System.out.print(c);

输出的就是 天 。

浮点类型:float、double,位长分别为:32、64bit,如果精度要求更高,bigDecimal类可以帮助解决。

还有boolean。

为什么装箱?因为Java是面向对象的语言,对象能携带更多的信息内容,并提供更多的操作,在数据的传递中,基本类型传递数值,引用类型传递引用。(即基本类的值不会因为传递而发生改变,但是引用类型却会发生改变)。除以之外,对于泛型的支持中,基本数据类型需要转化为对象,才能支持泛型。对于接口和继承皆如是。

装箱类型:Integer、Float、Double、Boolean、Character、Byte、Long、Short

装箱后,基本数据转化为对象,因此具有更多的方法。比如Integer中的valueOf、parseInt、intValue,更是提供了转化为其他类型的方法:byteValue、longValue等;

在此,equals方法也被重写了,所以经常碰到这样的问题:

Integer a = 100;
Integer b = 100;
Integer c = 200;
Integer d = 200;
System.out.println(a==b);
System.out.println(c==d);
System.out.println(a.equals(b));
System.out.println(c.equals(d));

分析这些问题,可以用Javap分析代码:

可以知道在自动装箱过程中,调用了valueOf方法,而在拆箱过程中,调用了intValue方法;

编译上述代码后,输出为:

true
false
true
true

为什么c==d输出false?在valueOf方法:

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

其中IntegerCache是:

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;
            if (integerCacheHighPropValue != null) {
                // Use Long.decode here to avoid invoking methods that
                // require Integer's autoboxing cache to be initialized
                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() {}
    }

可见IntegerCache类是个-128~127长度的数组,范围之外的数据就会新建一个Integer类型,否则返回IntegerCache中已有的对象。

另有:当 "=="运算符的两个操作数都是 包装器类型的引用,则是比较指向的是否是同一个对象,而如果其中有一个操作数是表达式(即包含算术运算)则比较的是数值(即会触发自动拆箱的过程)。

equals方法在Object中实现了方法,和“==”相同的效果。

在这些封装的对象中,也一样回判断是否为同一类型:

Integer a = new Integer(100);
Integer b = 100;
Integer c = new Integer(100);
System.out.println(a==b);
System.out.println(a.equals(b));
System.out.println(a==c);
System.out.println(a.equals(c));

结果是:

false
true
false
true

手动封装后生成的不同对象不相同。

和以上数据类型装箱后的对象同样,String类型重写了equals方法,只比较内容:

String str1 = new String("Hello");
String str2 = "Hello";
System.out.println(str1==str2);
System.out.println(str1.equals(str2));

输出:

false
true