package digit; public class TestNumber { public static void main(String[] args) { int i = 5; //把一个基本类型的变量,转换为Integer对象 Integer it = new Integer(i); //把一个Integer对象,转换为一个基本类型的int int i2 = it.intValue(); } }
package digit; public class TestNumber { public static void main(String[] args) { int i = 5; //基本类型转换成封装类型 Integer it = new Integer(i); } }
封装类转基本类型
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
package digit; public class TestNumber { public static void main(String[] args) { int i = 5; //基本类型转换成封装类型 Integer it = new Integer(i); //封装类型转换成基本类型 int i2 = it.intValue(); } }
自动装箱
不需要调用构造方法,通过=符号自动把 基本类型 转换为
类类型 就叫装箱
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
package digit; public class TestNumber { public static void main(String[] args) { int i = 5; //基本类型转换成封装类型 Integer it = new Integer(i); //自动转换就叫装箱 Integer it2 = i; } }
自动拆箱
不需要调用Integer的intValue方法,通过=就自动转换成int类型,就叫拆箱
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
package digit; public class TestNumber { public static void main(String[] args) { int i = 5; Integer it = new Integer(i); //封装类型转换成基本类型 int i2 = it.intValue(); //自动转换就叫拆箱 int i3 = it; } }
字符串转换
数字转字符串
先把基本类型装箱为类对象,然后调用类对象的静态方法toString
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
package digit; public class TestNumber { public static void main(String[] args) { int i = 5; //方法1 String str = String.valueOf(i); //方法2 Integer it = i; String str2 = it.toString(); } }
字符串转数字
调用类对象的静态方法parseInt
1 2 3 4 5 6 7 8 9 10 11 12 13 14
package digit; public class TestNumber { public static void main(String[] args) { String str = "999"; int i= Integer.parseInt(str); System.out.println(i); } }