整型数据类型有两个:基本类型和引用类型(包装类)
整数型基本类型:byte,int,short,long
其引用类型:Byte,Integer,Short,Long
他们之前主要的区别在于:
其他的基本相同;因此我们以int类型来展开详细说明。
单纯是为了编程方便,引入基本类型。
所以后面引入了包装类(wrapper class),为每种基本类型都引入了其对应的包装类型,int基本类型的包装类型就是Integer对象。
是的,还Java1.55引入了一个机制:自动拆箱和自动装箱,使得基本类型和其对应的包装类型可以相互转换,原始基本类型可以自动转换成对应的包装对象。
自动拆箱与装箱机制,可以在java变量赋值或者方法调用传值与返回值或者容器存储数据时直接使用基本类型或者对应的包装类型;在java 1.5版本之前,使用容器集合(Collection)存储数据时,只能存储引用类型,需要存储基本类型,则需要先将其转成其对应的包装类型才可以。
自动装箱就是java自动的将基本类型数值转换成其对应的包装类型,自动装箱时编译器会自动调用其包装类的valueOf()方法将基本类型数值转成对象。
自动拆箱就是java自动将包装类型转换成其对应的基本类型,自动拆箱时编译器会自动调用其包装类的xxxValue()方法:如intValue()\doubleValue()\longValue()等将对象转成基本类型数值。
当基本数据数值与包装类型进行运算时,会触发自动拆箱。
例子:
//before autoboxing
Integer iObject = Integer.valueOf(3);
Int iPrimitive = iObject.intValue()
//after java5
Integer iObject = 3; //autobxing - primitive to wrapper conversion
int iPrimitive = iObject; //unboxing - object to primitive conversion
public static Integer show(Integer iParam){
System.out.println("autoboxing example - method invocation i: " + iParam);
return iParam;
}
//autoboxing and unboxing in method invocation
show(3); //autoboxing
int result = show(3); //unboxing because return type of method is Integer
由于编译器的介入,增加了操作步骤和工作量,如果频繁自动拆箱和装箱,会影响程序性能:
Integer sum = 0;
for(int i=1000; i<5000; i++){
sum+=i;
}
上面的代码sum+=i可以看成sum = sum + i,但是+这个操作符不适用于Integer对象,首先sum进行自动拆箱操作,进行数值相加操作,最后发生自动装箱操作转换成Integer对象。其内部变化如下:
int result = sum.intValue() + i;
Integer sum = new Integer(result);
由于我们这里声明的sum为Integer类型,在上面的循环中会创建将近4000个无用的中间 Integer对象,在这样庞大的循环中,会降低程序的性能并且加重了GC垃圾回收的工作量。因此在我们编程时,需要注意到这一点,正确地声明变量类型,避免因为自动装箱引起的性能问题。
还有一个问题:如果int与Integer混用,Integer自动拆箱成int时,会调用Integer.intValue()方法进行拆箱,如果Integer赋值为null,M那么此时就会出现空指针异常。
Java1.5之前肯定是会根据实际参数是基本类型还是引用类型来选择对应的方法;但是java1.5之后,有了自动拆箱和装箱机制之后,也是不会触发该机制的。也是根据实际参数类型来选择对应的方法调用。下面我们用实际代码来说明一下:
public class Test {
public static void main(String[] args) throws FileNotFoundException {
Test test = new Test();
int para1 = 12;
Integer para2 = 12;
test.test(12);
test.test(para2);
}
public void test(int para1) {
System.out.println("我的参数是int基本类型,值:"+para1);
}
public void test(Integer para2) {
System.out.println("我的参数是Integer类型,值:"+para2);
}
}
输出:
我的参数是int基本类型,值:12
我的参数是Integer类型,值:12
情况有三种:==比较的是地址,对象Object的equals方法比较的也是地址,只不过包装类型重写了Object方法,比较的数值。
本文系作者在时代Java发表,未经许可,不得转载。
如有侵权,请联系nowjava@qq.com删除。