1. /*
    2. * 对于byte/short/char三种类型来说,如果右侧赋值的数值没有超过范围
    3. * 那么javac编译器将会自动隐含的为我们补上一个(byte)/(short)/(char)
    4. *
    5. * 1.如果没有超过左侧范围,编译器补上强制转换
    6. * 2.如果右侧超过了左侧范围,那么直接编译器报错
    7. */
    8. public class BianYiQi {
    9. public static void main(String[] args) {
    10. // TODO Auto-generated method stub
    11. //右侧确实是一个int数字,但是没有超过左侧的范围,就是正确的
    12. //int --> byte 不是自动类型转换
    13. byte num1 =/*(byte)*/ 30;//右侧没有超过左侧的范围
    14. System.out.println(num1);//30
    15. //byte num2 = 128; //右侧超过了左侧的范围
    16. //int --> char 没有超过范围
    17. //编译器将会自动补上一个隐含的(char)
    18. char zifu = /*(char)*/65;
    19. System.out.println(zifu);//A
    20. }
    21. }
    1. /*
    2. * 在个常量赋值的时候 ,如果右侧的表达式当中全都是常量,没有任何变量,
    3. * 那么编译器javac将会直接将若干个常量表达式计算得到结果
    4. * short result = 5 + 8; //等号 右边全都是常量,没有任何变量参与运算
    5. * 编译之后,得到的.class字节码文件当中相当于【直接就是】;
    6. * short result = 13;
    7. * 右侧的常量结果数值,没有超过左侧范围,所以正确
    8. *
    9. * 这称为“编译器的常量优化”
    10. *
    11. * 但是注意:一旦表达式当中有变量参与,那么就不能进行这种优化了
    12. */
    13. public static void main(){
    14. short num = 10;//正确写法,右侧没有超过左侧范围
    15. short a = 5;
    16. short b = 8;
    17. //short + short --> int + int -->int
    18. //short result = a + b; 错误写法!左侧需要int类型
    19. //右侧不用变量,而是采用常量,而却只有两个常量,没有别人
    20. short result = 5 + 8;
    21. System.out.println(result);
    22. short result2 = 5 + a + 8;//错误
    23. }