Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Vb

Idiom #43 Break outer loop

Look for a negative value v in 2D integer matrix m. Print it and stop searching.

Control flow jumping forward after the end of the outermost loop
Imports System
For i As Integer = 0 To m.GetLength(0) - 1
    For j As Integer = 0 To m.GetLength(1) - 1
        If m(i, j) < 0 Then
            Console.WriteLine(m(i, j))
            i = Integer.MaxValue - 1 ' Break outer loop.
            Exit For
        End If
    Next
Next

A straightforward way without using GoTo is to (if applicable) set the outer loop's iteration variable out of bounds and leave a comment explaining the technique.
Imports System
    For Each row As Integer() in m
        For Each v As Integer In row
            If v < 0 Then
                Console.WriteLine(v)
                GoTo DONE
            End If
        Next
    Next
DONE:

In this case, m is Integer()(), an array of arrays, so For Each loops can be used.

For Each loops have no out-of-bounds condition; GoTo becomes the clearest alternative to extracting the loops into a method.
Imports System
Dim colCount As Integer = m(0).Length
For Each row As Integer() In m
    Dim j = 0
    Do While j < colCount
        Dim v = row(j)
        If v < 0 Then
            Console.WriteLine(v)
            Exit For
        End If
        j += 1
    Loop
Next

In this case, m is Integer()() and the inner For loop is implemented manually as a Do loop; all inner arrays are assumed to have the same length.

The Exit statement requires the name of the type of construct being exited and breaks the innermost statement of the same type as specified: in this case, the outer loop.
Imports System
Select Case Nothing
    Case Else
        For Each row As Integer() in m
            For Each v As Integer In row
                If v < 0 Then
                    Console.WriteLine(v)
                    Exit Select
                End If
            Next
        Next
End Select

The Exit statement breaks the innermost block of the type specified. To avoid GoTo for dubious benefit in readability, the loops can be surrounded by a dummy block that does not affect control flow which is then exited out of when the element is found.

Select Case is used here as it cannot be confused with the loops and is relatively uncommon.
Outer_loop:
for A in M'Range (1) loop
   Inner_Loop:
   for B in M'Range (2) loop
      if M (A, B) < 0 then
         Put_Line (M (A, B)'Image);
         exit Outer_Loop;
      end if;
   end loop Inner_Loop;
end loop Outer_Loop;

New implementation...
< >
programming-idioms.org