包装类装箱和拆箱
在Java的设计之中,一直提倡一个原则:一切皆对象,这个原则本身有一个漏洞 —— 基本数据类型不是对象,所以这个原则就出现了问题。那么如果说现在这个问题由我们来解决,该如何做呢?
class Int { // 类
private int num ; // 基本型
public Int(int num) {
this.num = num ;
}
public int intValue() {
return this.num ;
}
}
public class TestDemo {
public static void main(String args[]) {
Int temp = new Int(10) ; // 把基本类型变为类
int result = temp.intValue() ;
System.out.println(result * result) ;
}
}
专门提供了八种包装类:byte(Byte)、short(Short)、int(Integer)、long(Long)、float(Float)、double(Double)、boolean(Boolean)、char(Character),而这八种包装类又分为两大阵营:
· 数值型(Number子类):Byte、Short、Integer、Float、Double、Long;
· 对象型(Object子类):Boolean、Character。
可是对于Number的子类,就必须观察出Number类之中定义的方法:byteValue()、intValue()、doubleValue()、shortValue()、floatValue()、doubleValue(),就是从包装的类之中取得所包装的数值。
public class TestDemo {
public static void main(String args[]) {
Integer var = new Integer(15) ; // 装箱
int result = var.intValue() ; // 拆箱
System.out.println(result * result) ;
}
}
public class TestDemo {
public static void main(String args[]) {
Double var = new Double(15.5) ; // 装箱
double result = var.doubleValue() ; // 拆箱
System.out.println(result * result) ;
}
}
到了JDK 1.5之后,Java提供了自动的装箱和拆箱机制,并且包装类的对象可以自动的进行数学计算了。
public class WrapperDemo03{
public static void main(String args[]){
Integer i = 30 ; // 自动装箱成Integer
Float f = 30.3f ; // 自动装箱成Float
int x = i ; // 自动拆箱为int
float y = f ; // 自动拆箱为float
}
};
· 装箱操作:将基本数据类型变为包装类,称为装箱,包装类的构造方法;
· 拆箱操作:将包装类变为基本数据类型,称为拆箱,各个类的xxValue()方法。