'How do I jump out of a foreach loop in C#?

How do I break out of a foreach loop in C# if one of the elements meets the requirement?

For example:

foreach(string s in sList){
      if(s.equals("ok")){
       //jump foreach loop and return true
     }
    //no item equals to "ok" then return false
}


Solution 1:[1]

Use break; and this will exit the foreach loop

Solution 2:[2]

You could avoid explicit loops by taking the LINQ route:

sList.Any(s => s.Equals("ok"))

Solution 3:[3]

foreach (var item in listOfItems) {
  if (condition_is_met)
    // Any processing you may need to complete here...
    break; // return true; also works if you're looking to
           // completely exit this function.
}

Should do the trick. The break statement will just end the execution of the loop, while the return statement will obviously terminate the entire function. Judging from your question you may want to use the return true; statement.

Solution 4:[4]

You can use break which jumps out of the closest enclosing loop, or you can just directly return true

Solution 5:[5]

Use the 'break' statement to escape the loop.

Solution 6:[6]

how about:

return(sList.Contains("ok"));

That should do the trick if all you want to do is check for an "ok" and return the answer ...

Solution 7:[7]

foreach(string s in sList)
{
    if(s.equals("ok"))
    {
             return true;
    }
}
return false;

Solution 8:[8]

Either return straight out of the loop:

foreach(string s in sList){
   if(s.equals("ok")){
      return true;
   }
}

// if you haven't returned by now, no items are "ok"
return false;

Or use break:

bool isOk = false;
foreach(string s in sList){
   if(s.equals("ok")){
      isOk = true;
      break; // jump out of the loop
   }
}

if(isOk)
{
    // do something
}

However, in your case it might be better to do something like this:

if(sList.Contains("ok"))
{
    // at least one element is "ok"
}
else
{
   // no elements are "ok"
}

Solution 9:[9]

It's not a direct answer to your question but there is a much easier way to do what you want. If you are using .NET 3.5 or later, at least. It is called Enumerable.Contains

bool found = sList.Contains("ok");

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 Francis Gilbert
Solution 2 spender
Solution 3
Solution 4 vrxacs
Solution 5 Doug L.
Solution 6 LarsTech
Solution 7 harryovers
Solution 8 Graham Clark
Solution 9 Can Gencer