Groovy - Switch 语句



有时,嵌套的 if-else 语句非常常见且使用频率很高,因此设计了一个更简单的语句,称为switch 语句。

switch(expression) { 
   case expression #1: 
   statement #1 
   ... 
   case expression #2: 
   statement #2 
   ... 
   case expression #N: 
   statement #N 
   ... 
   default:
   statement #Default 
   ... 
} 

此语句的一般工作原理如下:

  • 要评估的表达式放在 switch 语句中。

  • 将定义多个 case 表达式,以根据表达式的评估结果确定应执行哪一组语句。

  • 在每组 case 语句的末尾添加了break 语句。 这是为了确保一旦执行了相关的语句集,循环就会退出。

  • 还有一个default case 语句,如果前面的任何 case 表达式都不为真,则会执行该语句。

下图显示了switch-case 语句的流程。

Switch Statements

以下是 switch 语句的示例:

class Example { 
   static void main(String[] args) { 
      //initializing a local variable 
      int a = 2
		
      //Evaluating the expression value 
      switch(a) {            
         //There is case statement defined for 4 cases 
         // Each case statement section has a break condition to exit the loop 
			
         case 1: 
            println("The value of a is One"); 
            break; 
         case 2: 
            println("The value of a is Two"); 
            break; 
         case 3: 
            println("The value of a is Three"); 
            break; 
         case 4: 
            println("The value of a is Four"); 
            break; 
         default: 
            println("The value is unknown"); 
            break; 
      }
   }
}

在上面的示例中,我们首先将一个变量初始化为 2 的值。然后,我们有一个 switch 语句,它评估变量 a 的值。根据变量的值,它将执行相关的 case 语句集。上述代码的输出将是:

The value of a is Two
groovy_decision_making.htm
广告