JAVA条件语句 - if...else

1.if语句

一个 if 语句包含一个布尔表达式和一条或多条语句。

if(布尔表达式) {
   //如果布尔表达式为true将执行的语句
}
public class Test {
   public static void main(String args[]){
      int x = 10;
      if( x < 20 ){
         System.out.print("True");
      }
   }
}

2.if...else语句

if 语句后面可以跟 else 语句,当 if 语句的布尔表达式值为 false 时,else 语句块会被执行。

public class Test {
   public static void main(String args[]){
      int x = 10;
      if( x < 20 ){
         System.out.print("True");
      } else {
         System.out.print("false");
      }
   }
}

3.if...else if...else 语句

if 语句后面可以跟 elseif…else 语句,这种语句可以检测到多种可能的情况。

public class Test {
   public static void main(String args[]){
      int x = 80;
      if( x >= 90 ){
         System.out.print("GOOD");
      } else if( x >= 60 ) {
         System.out.print("NOT BAD");
      } else {
          System.out.print("BAD");
      }
   }
}

4.嵌套的 if…else 语句

可以在另一个 if 或者 elseif 语句中使用 if 或者 elseif 语句。

public class Test {
   public static void main(String args[]){
      int x = 80;
      if( x >= 90 ){
         if(x == 100){
             System.out.print("You are a genius");
         } else {
             System.out.print("GOOD");
         }
      } else if( x >= 60 ) {
         System.out.print("NOT BAD");
      } else {
          System.out.print("BAD");
      }
   }
}

你可能感兴趣的:(JAVA条件语句 - if...else)