JShell的简单使用
适用于简单的代码 ,Jshell脚本工具是JDK9的新特性,当我们编写的代码非常少的时候,而又不愿意编写类,main方法,也不愿意去编译和运行,可以使用这个方法。
编译器的两点优化
优化一:
对于byte/short/char三种类型来说。如果右侧的数值没有超过范围那么javac编译器将会自动隐含的为我们补上一个(byte)(short)(char)1.如果没有超过左侧的范围,编译器自动补上强转2.如果右侧超过了范围,那么编译器报错
public class Demo12Notice{public static void main(){//右侧是一个int 数字,但是没有超过左侧的范围,就是正确的。//哦明天-->byte,不是自动类型转换byte num1 =/*(byte)*/ 30;//右侧在左侧范围内System.out.println(num1);//30//byte num2 = 128;//右侧超过了左侧的范围 byte -128~127//System.out.println(num2); //错误: 不兼容的类型: 从int转换到byte可能会有损失//int --> char,没有超过范围//编译器会自动补上一个隐含的(char);char zifu = 65;System.out.println(zifu);//A}}
优化2:
/*在给变量赋值的时候,如果右侧的表达式中全都是常量,没有任何变量,那么编译器javac将会直接将若干个常量表达式计算得到结果。short result = 5 + 8;等号右边都是常量,没有任何变量参与运算。编译之后,得到的.class字节码文件中相当于【直接就是】:short result = 13;右侧的常量结果数值没有超过左侧范围,所以正确。这称为“编译器的常量优化”有变量时不能使用这种优化*/
public class Demo13Notice{public static void main(){short num1 = 10;//正确写法 ,右侧没有超过左侧的范围 short -32768~32767short a = 5;short b = 8;//short char byte 发生运算时 自动提升为int类型//short + short --> int + int --> int//short result = a + b;//错误写法 应该是int resultshort result = 8 + 5;System.out.println(result);// 13short result2 = 8 + a + 5;// 不进行优化}}