Java中的包装器类用于将原始类型( int
, char
, float
等)转换为相应的对象。
8个基本类型中的每一个都有对应的包装器类。
Primitive Type | Wrapper Class |
---|---|
byte |
Byte |
boolean |
Boolean |
char |
Character |
double |
Double |
float |
Float |
int |
Integer |
long |
Long |
short |
Short |
将基本类型转换为包装对象
我们还可以使用valueOf()
方法将原始类型转换为相应的对象。
示例1:包装对象的原始类型
class Main {
public static void main(String[] args) {
// create primitive types
int a = 5;
double b = 5.65;
//converts into wrapper objects
Integer aObj = Integer.valueOf(a);
Double bObj = Double.valueOf(b);
if(aObj instanceof Integer) {
System.out.println("An object of Integer is created.");
}
if(bObj instanceof Double) {
System.out.println("An object of Double is created.");
}
}
}
输出
An object of Integer is created.
An object of Double is created.
在上面的示例中,我们使用了valueOf()
方法将原始类型转换为对象。
在这里,我们使用instanceof
运算符检查生成的对象是否为Integer
或Double
类型。
但是,Java编译器可以直接将原始类型转换为相应的对象。例如,
int a = 5;
// converts into object
Integer aObj = a;
double b = 5.6;
// converts into object
Double bObj = b;
此过程称为自动装箱 。要了解更多信息,请访问Java自动装箱和拆箱。
注意 :我们还可以使用Wrapper
类构造函数将原始类型转换为包装对象。但是在Java 9之后,不再使用构造函数。
包装对象成原始类型
要将对象转换为原始类型,我们可以使用每个包装器类中存在的对应值方法( intValue()
, doubleValue()
等)。
示例2:将包装对象转换为原始类型
class Main {
public static void main(String[] args) {
// creates objects of wrapper class
Integer aObj = Integer.valueOf(23);
Double bObj = Double.valueOf(5.55);
// converts into primitive types
int a = aObj.intValue();
double b = bObj.doubleValue();
System.out.println("The value of a: " + a);
System.out.println("The value of b: " + b);
}
}
输出
The value of a: 23
The value of b: 5.55
在上面的示例中,我们使用了intValue()
和doubleValue()
方法将Integer
和Double
对象转换为相应的基本类型。
但是,Java编译器可以自动将对象转换为相应的原始类型。例如,
Integer aObj = Integer.valueOf(2);
// converts into int type
int a = aObj;
Double bObj = Double.valueOf(5.55);
// converts into double type
double b = bObj;
此过程称为拆箱 。要了解更多信息,请访问Java自动装箱和拆箱。
包装类的优点
- 在Java中,有时我们可能需要使用对象而不是原始数据类型。例如,在使用集合时。
// error ArrayList
list = new ArrayList<>(); // runs perfectly ArrayList list = new ArrayList<>(); - 我们可以将空值存储在包装对象中。例如,
// generates an error int a = null; // runs perfectly Integer a = null;
注意 :基本类型比相应的对象更有效。因此,当需要效率时,始终建议使用原始类型。