如何跳过“foreach”循环的迭代?

在Perl中,我可以跳过一个foreach(或任何循环)与next;迭代next; 命令。

有没有办法跳过一个迭代,并跳转到C#中的下一个循环?

  foreach (int number in numbers) { if (number < 0) { // What goes here to skip over the loop? } // otherwise process number } 

你要:

 foreach (int number in numbers) // <--- go back to here --------+ { // | if (number < 0) // | { // | continue; // Skip the remainder of this iteration. -----+ } // do work } 

关于continue关键字的更多信息。


更新:为了回应Brian在评论中的后续问题:

你能否进一步澄清,如果我嵌套循环,我会做什么,并想跳过一个扩展的迭代?

 for (int[] numbers in numberarrays) { for (int number in numbers) { // What to do if I want to // jump the (numbers/numberarrays)? } } 

continue总是适用于最近的封闭范围,所以你不能用它来突破最外层的循环。 如果出现这样的情况,你需要做一些更复杂的事情,具体取决于你想要的内容,比如从内部循环中break ,然后continue外部循环。 有关break关键字的文档,请参阅此处。 break C#关键字与Perl last关键字类似。

另外,考虑到Dustin的build议,只是过滤掉你不想处理的值:

 foreach (var basket in baskets.Where(b => b.IsOpen())) { foreach (var fruit in basket.Where(f => f.IsTasty())) { cuteAnimal.Eat(fruit); // Om nom nom. You don't need to break/continue // since all the fruits that reach this point are // in available baskets and tasty. } } 

另一种方法是在执行循环之前使用LINQ进行过滤:

 foreach ( int number in numbers.Where(n => n >= 0) ) { // process number } 

你也可以翻转你的testing:

 foreach ( int number in numbers ) { if ( number >= 0 ) { //process number } } 
 foreach ( int number in numbers ) { if ( number < 0 ) { continue; } //otherwise process number } 

你可以使用continue语句。

例如:

 foreach(int number in numbers) { if(number < 0) { continue; } } 

另一种使用linq的方法是:

 foreach ( int number in numbers.Skip(1)) { // process number } 

如果你想跳过一些项目中的第一个。

或者使用.SkipWhere如果你想指定跳过的条件。

使用continue语句:

 foreach(object o in mycollection) { if( number < 0 ) { continue; } }