Java - if-else 语句


if语句后面可以跟一个可选的else语句,该语句在布尔表达式为 false 时执行

句法

以下是 if...else 语句的语法 -

if(Boolean_expression) {
   // Executes when the Boolean expression is true
}else {
   // Executes when the Boolean expression is false
}

如果布尔表达式的计算结果为 true,则将执行 if 代码块,否则将执行 else 代码块。

流程图

如果否则语句

实施例1

在此示例中,我们将展示 if else 语句的用法。我们创建了一个变量 x 并将其初始化为 30。然后在 if 语句中,我们用 20 检查 x。如果语句为 false,则执行 else 块中的语句。

public class Test {

   public static void main(String args[]) {
      int x = 30;

      if( x < 20 ) {
         System.out.print("This is if statement");
      }else {
         System.out.print("This is else statement");
      }
   }
}

输出

This is else statement

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

if 语句后面可以跟一个可选的else if...else语句,这对于使用单个 if...else if 语句测试各种条件非常有用。

使用 if、else if、else 语句时,需要记住以下几点。

  • if 可以有 0 个或 1 个 else if,并且它必须位于任何 else if 之后。

  • if 可以有零到多个 else if,并且它们必须出现在 else 之前。

  • 一旦 else if 成功,则不会测试其余的 else if 或 else。

句法

以下是 if...else 语句的语法 -

if(Boolean_expression 1) {
   // Executes when the Boolean expression 1 is true
}else if(Boolean_expression 2) {
   // Executes when the Boolean expression 2 is true
}else if(Boolean_expression 3) {
   // Executes when the Boolean expression 3 is true
}else {
   // Executes when the none of the above condition is true.
}

实施例2

在此示例中,我们展示了 if...else if...else 语句的用法。我们创建了一个变量 x 并将其初始化为 30。然后在 if 语句中,我们用 10 检查 x。就像 if 语句为 false,控制跳转到 else if 语句用 x 检查另一个值,依此类推。

public class Test {

   public static void main(String args[]) {
      int x = 30;

      if( x == 10 ) {
         System.out.print("Value of X is 10");
      }else if( x == 20 ) {
         System.out.print("Value of X is 20");
      }else if( x == 30 ) {
         System.out.print("Value of X is 30");
      }else {
         System.out.print("This is else statement");
      }
   }
}

输出

Value of X is 30

实施例3

在此示例中,我们展示了 if...else if...else 语句的用法。我们创建了一个变量 x 并将其初始化为 30.0。然后在 if 语句中,我们用 10,0 检查 x。就像 if 语句为 false 一样,控制跳转到 else if 语句,用 x 检查另一个值,依此类推。

public class Test {

   public static void main(String args[]) {
      double x = 30.0;

      if( x == 10.0 ) {
         System.out.print("Value of X is 10.0");
      }else if( x == 20.0 ) {
         System.out.print("Value of X is 20.0");
      }else if( x == 30.0 ) {
         System.out.print("Value of X is 30.0");
      }else {
         System.out.print("This is else statement");
      }
   }
}

输出

Value of X is 30.0