How to break foreach loop in flutter

To break a foreach loop in Flutter, you can use the ‘return’ keyword. By returning a value from within the loop, you can effectively break out of the loop and stop iterating.

Here’s an example:

<code>
List<int> numbers = [1, 2, 3, 4, 5];

void main() {
  for (int number in numbers) {
    // Check if the number is greater than 3
    if (number > 3) {
      // Break the loop by returning early
      return;
    }
    print(number);
  }
}
</code>

In this example, we have a list of numbers [1, 2, 3, 4, 5]. We use a foreach loop to iterate through each number in the list. Inside the loop, we check if the current number is greater than 3. If it is, we break out of the loop by calling ‘return’.

When the code runs, the output will be:

1
2
3

The loop stops iterating when the number 4 is encountered, thanks to the ‘return’ statement breaking out of the loop.

Leave a comment