一:自动类型转换
1::介绍
当java在进行赋值或者运算时,精度小的类型自动转换为精度大的数据类型
2:自动类型转换注意和细节
(1)细节说明
- 有多种类型的数据混合运算时,系统首先自动将所有数据转换成容量最大的那种数据类型,然后再进行计算。
- 当我们把精度(容量)大的数据类型赋值给精度(小)的数据类型时,就会报错
- (byte, short)和char之间不会相互自动转换。
- byte, short,char他们三者可以计算,在计算时首先转换为int类型。
- boolean不参与转换
-
(2)代码举例
```java public class AutoConvertDetail {
public static void main(String[] args){
//细节一:有多种类型的数据混合运算时
//系统首先自动将所有数据转换成容量最大的那种数据类型,然后再进行计算。
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
//细节 2: 当我们把精度(容量)大 的数据类型赋值给精度(容量)小 的数据类型时,
//就会报错,反之就会进行自动类型转换
int n2 = 1.1;//错误 double
//细节 3: (byte, short) 和 char 之间不会相互自动转换
//当把具体数赋给 byte 时,(1)先判断该数是否在 byte 范围内,如果是就可以
byte b1 = 10;
int n2 = 1;
byte b2 = n2; //错误,原因: 如果是变量赋值,判断类型
char c1 = b1; //错误, 原因 byte 不能自动转成 char
//细节 4: 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
//细节5:boolean不参与运算
///自动提升原则: 表达式结果的类型自动提升为 操作数中最大的类型
byte b4 = 1;
short s3 = 100;
int num200 = 1;
float num300 = 1.1F;
double num500 = b4 + s3 + num200 + num300; //float->double
}
}
<a name="Q3mkW"></a>
# 二:强制类型转换
<a name="cPyme"></a>
## 1:介绍
自动类型转换的逆过程,将容大的数据类型转换为容量小的数据类型。使用时要加上强制转换符(),但可能造成精度降低或溢出,格外要注意。
```java
int i = (int)1.9
System.out.println(i);
int j = 100
byte b1 = (byte)j
System.out.println(b1;
2:细节说明
当进行数据的大小从大——>小,就需要使用到强制转换
强转符号只针对于最近的操作数有效,往往会使用小括号提升优先级
int x =(int)10*3.5+6*1.5;
int y =(int)(10*3.5+6*1.5);
System.out.printIn(y);
char类型可以保存int的常量值,但不能保存int的变量值,需要强转
char c1 = 100: //ok
int m = 100;//ok
char c2= m;//错误
char c3= (char)m; //ok
System.out.println(c3);//100对应的字符
byte和short, char类型在进行运算时,当做int类型处理。
byte n1 = 1;
short n2 = 2'
char n3 = '1'
int n4 = n1 + n2 + n3