Groovy - for-in 语句


for-in语句用于迭代一组值。for -in语句一般按以下方式使用。

for(variable in range) { 
   statement #1 
   statement #2 
   … 
}

下图显示了该循环的图解说明。

For In 循环

以下是 for-in 语句的示例 -

class Example { 
   static void main(String[] args) { 
      int[] array = [0,1,2,3]; 
		
      for(int i in array) { 
         println(i); 
      } 
   } 
}

在上面的示例中,我们首先使用 0、1、2 和 3 4 个值初始化一个整数数组。然后,我们使用 for 循环语句首先定义一个变量 i,然后该变量迭代数组中的所有整数并打印相应的值。上述代码的输出将是 -

0 
1 
2 
3

for-in语句也可用于循环范围。以下示例展示了如何实现这一点。

class Example {
   static void main(String[] args) {
	
      for(int i in 1..5) {
         println(i);
      }
		
   } 
} 

在上面的示例中,我们实际上循环遍历一个定义为 1 到 5 的范围并打印该范围中的每个值。上述代码的输出将是 -

1 
2 
3 
4 
5 

for-in语句也可用于循环遍历 Map。以下示例展示了如何实现这一点。

class Example {
   static void main(String[] args) {
      def employee = ["Ken" : 21, "John" : 25, "Sally" : 22];
		
      for(emp in employee) {
         println(emp);
      }
   }
}

在上面的示例中,我们实际上是在循环遍历一个具有一组定义的键值条目的映射。上述代码的输出将是 -

Ken = 21 
John = 25 
Sally = 22 
groovy_loops.htm