84520193 2020-05-29
/* 在给变量进行赋值的时候,如果右侧表示当中全都是常量,没有任何变量,那么编译器javac将会直接将若干个常量表达式计算得到结果。 short c = 1 + 2; //等号右边全都是常量,没有任何变量参与运算,编译之后,得到的.class字节码文件相当于【直接就是】:short c = 3 右侧的常量结果数值,没有超过左侧范围,所以正确。 这称为"编译器的常量优化" 但是注意:一旦表达式当中有变量的参与,那么就不能进行这种优化了。 */ public class Test { public static void main(String[] args) { short num = 20; //正确写法,右侧没有超过左侧范围。 short a = 1; short b = 2; // short + short --> int + int --> int // short c = a + b; //错误写法!左侧需要是int类型 short c = 1 + 2; // 可以!右侧不用变量,而是采用常量 System.out.println(c); } }
/* 对于byte/short/char三种类型来说,如果右侧赋值的数值没有超过范围, 那么javac编译器将会自动隐含地为我们补上一个(byte)(short)(char)。 1. 如果没有超过左侧的范围,编译器补上强转。 2. 如果右侧超过了左侧范围,那么直接编译器报错。 */ public class Test2 { public static void main(String[] args) { // 右侧是一个int数字,但是没有超过左侧的范围,就是正确的 // int --> byte 不是自动类型转换 byte num = /*(byte)*/30; System.out.println(num); // int --> char 没有超过范围 // 编译器会自动补上一个隐含的(char) char zifu = 65; System.out.println(zifu); } }