在Perl中,我可以跳过一个foreach(或任何循环)迭代与下一个;命令。
在c#中是否有一种方法可以跳过一个迭代并跳转到下一个循环?
foreach (int number in numbers)
{
if (number < 0)
{
// What goes here to skip over the loop?
}
// otherwise process number
}
在Perl中,我可以跳过一个foreach(或任何循环)迭代与下一个;命令。
在c#中是否有一种方法可以跳过一个迭代并跳转到下一个循环?
foreach (int number in numbers)
{
if (number < 0)
{
// What goes here to skip over the loop?
}
// otherwise process number
}
当前回答
你也可以翻转你的if测试:
foreach ( int number in numbers )
{
if ( number >= 0 )
{
//process number
}
}
其他回答
你想要的:
foreach (int number in numbers) // <--- go back to here --------+
{ // |
if (number < 0) // |
{ // |
continue; // Skip the remainder of this iteration. -----+
}
// do work
}
下面是关于continue关键字的更多信息。
更新:在评论中回应布莱恩的后续问题:
如果我有嵌套的for循环,并且想跳过其中一个扩展循环的迭代,您能进一步阐明我将做什么吗? 对于(int[] numberarrays中的数字){ for (int number in numbers){//如果我想要做什么 //跳转(numbers/numberarrays)? } }
continue语句总是应用于最近的封闭范围,因此不能使用它跳出最外层的循环。如果出现这样的情况,您需要根据自己的需要做一些更复杂的事情,比如从内部循环中断,然后继续外部循环。有关break关键字的文档请参见这里。break c#关键字类似于Perl的last关键字。
此外,考虑接受达斯汀的建议,过滤掉你不想事先处理的值:
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.
}
}
foreach ( int number in numbers )
{
if ( number < 0 )
{
continue;
}
//otherwise process number
}
可以使用continue语句。
例如:
foreach(int number in numbers)
{
if(number < 0)
{
continue;
}
}
使用continue语句:
foreach(object number in mycollection) {
if( number < 0 ) {
continue;
}
}
使用linq的另一种方法是:
foreach ( int number in numbers.Skip(1))
{
// process number
}
如果你想跳过第一项。
或者如果你想指定一个跳过的条件,使用. skipwhere。