常用类 – 包装类
基本数据类型的包装类
理解:包装类是8种基本数据类型对应的类
出现原因:Java是一种纯面向对象语言,但是java中有8种基本数据类型,破坏了java为纯面向对象的特征。为了承诺在java中一切皆对象,java又给每种基本数据类型分别匹配了一个类,这个类我们称之为包装类/封装类。
注意:每个基本数据类型都有一个与之匹配的包装类。
1.1 八大基本数据类型的包装类
基本数据类型 | 引用数据类型 | 包装类 |
---|---|---|
byte | Byte | java.lang.Byte |
char | Character | java.lang.Character |
short | Short | java.lang.Short |
int | Integer | java.lang.Integer |
long | Long | java.lang.Long |
float | Float | java.lang.Float |
double | Double | java.lang.Double |
boolean | Boolean | java.lang.Boolean |
注意:int的包装类的写法为Integer、char的包装类的写法是:Character
其余基本数据类型的包装类均是基本类型的首字母大写。
1.2 包装类的层次结构
1.3 包装类中的常用方法
1、手动装箱:把基本数据类型包装为对应的包装类对象
Integer i1 = new Integer(10); // 利用构造方法
Integer i2 = Integer.valueOf(10); //利用包装类中的静态方法
2、手动拆箱把包装类对象转换为对应的基本数据类型。
int i3= i1.intValue(); //返回包装类对象对应的基本数据
3、自动装箱:可以直接把一个基本数据类型赋值给包装类例如: Integer i1 = 10; //自动装箱操作
4、 自动拆箱:可以直接把一个包装类对象,赋值给基本类型
例如:int a = new Integer(3); //自动拆箱。
自动装箱和自动拆箱,简化了对包装类的操作。
注意:需要理解自动装箱和拆箱的本质
package com.qf.package_class;public class Test01 {public static void main(String[] args) {//手动装箱:基本数据类型 转 引用数据类型
// int i = 100;
// Integer integer = Integer.valueOf(i);
// System.out.println(integer);//手动拆箱:引用数据类型 转 基本数据类型
// Integer integer = new Integer(100);
// int i = integer.intValue();
// System.out.println(i);//JDK1.5开始提供自动装箱和自动拆箱的特性//自动装箱:基本数据类型 转 引用数据类型
// int i = 100;
// Integer integer = i;//底层实现:Integer.valueOf(i);
// System.out.println(integer);//自动拆箱:引用数据类型 转 基本数据类型
// Integer integer = new Integer(100);
// int i = integer;//底层实现:integer.intValue();
// System.out.println(i);//将字符串转换为intString str = "123";int i = Integer.parseInt(str);System.out.println(i);}
}
拆箱、装箱底层实现
package com.qf.package_class;public class MyInteger {private int value;public MyInteger(int value) {this.value = value;}public int intValue(){return value;}public static MyInteger valueOf(int i){if(i>=MyIntegerCache.low && i<=MyIntegerCache.higt){return MyIntegerCache.cache[i-MyIntegerCache.low];}return new MyInteger(i);}//MyInteger的缓存类private static class MyIntegerCache{static final int low = -128;static final int higt = 127;static final MyInteger[] cache;static{cache = new MyInteger[higt - low + 1];int j = low;for (int i = 0; i < cache.length; i++) {cache[i] = new MyInteger(j++);}}}
}
1.4 包装类面试题:
package com.qf.package_class;public class MyInteger {private int value;public MyInteger(int value) {this.value = value;}public int intValue(){return value;}public static MyInteger valueOf(int i){if(i>=MyIntegerCache.low && i<=MyIntegerCache.higt){return MyIntegerCache.cache[i-MyIntegerCache.low];}return new MyInteger(i);}//MyInteger的缓存类private static class MyIntegerCache{static final int low = -128;static final int higt = 127;static final MyInteger[] cache;static{cache = new MyInteger[higt - low + 1];int j = low;for (int i = 0; i < cache.length; i++) {cache[i] = new MyInteger(j++);}} }
}
cache = new MyInteger[higt - low + 1];
int j = low;for (int i = 0; i < cache.length; i++) {cache[i] = new MyInteger(j++);}}
}
}