原则:不要将高级类型转换为低级类型,即“勿以小杯盛大物”
低精度数据放入高精度类型中系统可自动转换,高精度的数据放入低精度类型会有数据丢失。
1. 隐式类型转换
自动转换,程序员无须进行任何操作
代码:
public class Demo {
public static void main(String[] args){
byte a = 8;
int b = a;
long c = b;
float d = c;
double e = d;
System.out.println("a的结果:" +a);
System.out.println("b的结果:" +b);
System.out.println("c的结果:" +c);
System.out.println("d的结果:" +d);
System.out.println("e的结果:" +e);
}
}
结果:
a的结果:8
b的结果:8
c的结果:8
d的结果:8.0
e的结果:8.0
2. 显式类型转换(强制转换)
高精度类型转换为低精度类型,在高精度变量赋值给低精度变量时使用。
强转可能导致以下问题
代码例子:
public class Demo {
public static void main(String[] args){
int a = (int)45.25;
long b = (long)234.789f;
float c = (float)3.1425926532;
byte d = (byte) 129;
System.out.println("double强转int的结果:" +a); //丢失小数
System.out.println("float强转long的结果:" +b); //丢失小数
System.out.println("double强转float的结果:" +c); //丢失精度
System.out.println("int强转byte的结果:" +d); //溢出报错
}
}
结果:
double强转int的结果:45
float强转long的结果:234
double强转float的结果:3.1425927
int强转byte的结果:-127