类型转换
一、自动类型转换
1.容量由小到大变化:
byte-short-int-long-double-float-double
或char-int-long-double-float-double
int n1 = 10; //ok
//float d1 = n1 + 1.1;//错误 n1 + 1.1 => 结果类型是 double
//double d1 = n1 + 1.1;//对 n1 + 1.1 => 结果类型是 double
float d1 = n1 + 1.1F;//对 n1 + 1.1 => 结果类型是 float
- byte,short,char 他们三者可以计算,在计算时首先转换为int类型
byte b2 = 1;
byte b3 = 2;
short s1 = 1;
//short s2 = b2 + s1;//错, b2 + s1 => int
int s2 = b2 + s1;//对, b2 + s1 => int
//byte b4 = b2 + b3; //错误: b2 + b3 => int
3.boolean 不参与转换
boolean pass = true;
//int num100 = pass;// boolean 不参与类型的自动转换
二、强制类型转换
1.将容量大的数据类型转换为容量小的数据类型。使用时要加上强制转换符 (),但可能造成精度降低或溢出
//强转符号只针对于最近的操作数有效,往往会使用小括号提升优先级
//int x = (int)103.5+61.5;//编译错误: double-> int
int x = (int)(103.5+61.5);// (int)44.0-> 44
System.out.println(x);//44
eg:
public class StringToBasic {
//编写一个main方法
public static void main(String[] args) {
//基本数据类型->String
int n1 = 100;
float f1 = 1.1F;
double d1 = 4.5;
boolean b1 = true;
String s1 = n1 + "";
String s2 = f1 + "";
String s3 = d1 + "";
String s4 = b1 + "";
System.out.println(s1 + " " + s2 + " " + s3 + " " + s4);
//String->对应的基本数据类型
String s5 = "123";
//会在OOP 讲对象和方法的时候回详细
//解读 使用 基本数据类型对应的包装类,的相应方法,得到基本数据类型
int num1 = Integer.parseInt(s5);
double num2 = Double.parseDouble(s5);
float num3 = Float.parseFloat(s5);
long num4 = Long.parseLong(s5);
bytenum5=Byte.parseByte(s5);
booleanb=Boolean.parseBoolean("true");
shortnum6=Short.parseShort(s5);
System.out.println("===============");
System.out.println(num1);//123
System.out.println(num2);//123.0
System.out.println(num3);//123.0
System.out.println(num4);//123
System.out.println(num5);//123
System.out.println(num6);//123
System.out.println(b);//true
//怎么把字符串转成字符char->含义是指把字符串的第一个字符得到
//解读s5.charAt(0)得到s5字符串的第一个字符'1'
System.out.println(s5.charAt(0));
}
}
2.基本数据类型和String类型的转换
在将String类型转成基本数据类型时,比如我们可以把"123",转成一
个整数,但是不能把"hello"转成一个整数
如果格式不正确,就会抛出异常,程序就会终止。