4.7.The break Statement
The break statement is available in two formats: labeled and unlabeled. In the previous discussion of the switch statement, you observed the unlabeled form. An unlabeled break can also be employed to terminate a for, while, or do-while loop, as demonstrated in the BreakDemo program below:
class BreakDemo { public static void main(String[] args) { int[] arrayOfInts = { 32, 87, 3, 589, 12, 1076, 2000, 8, 622, 127 }; int searchfor = 12; int i; boolean foundIt = false; for (i = 0; i < arrayOfInts.length; i++) { if (arrayOfInts[i] == searchfor) { foundIt = true; break; } } if (foundIt) { System.out.println("Found " + searchfor + " at index " + i); } else { System.out.println(searchfor + " not in the array"); } } }
A search for the number 12 in an array is conducted by this program. The for loop is terminated when the value is located by the break statement, which is displayed in boldface. The control flow is subsequently transferred to the print statement at the conclusion of the program. This program generates the following output:
Found 12 at index 4
A labeled break statement terminates an outer statement, while an unlabeled break statement terminates the innermost switch, for, while, or do-while statement. The subsequent program, BreakWithLabelDemo, is comparable to the preceding program; however, it employs nested for loops to locate a value within a two-dimensional array. The outer for loop (labeled “search”) is terminated by a labeled break when the value is located:
class BreakWithLabelDemo { public static void main(String[] args) { int[][] arrayOfInts = { { 32, 87, 3, 589 }, { 12, 1076, 2000, 8 }, { 622, 127, 77, 955 } }; int searchfor = 12; int i; int j = 0; boolean foundIt = false;
search:
for (i = 0; i < arrayOfInts.length; i++) { for (j = 0; j < arrayOfInts[i].length; j++) { if (arrayOfInts[i][j] == searchfor) { foundIt = true; break search; } } } if (foundIt) { System.out.println("Found " + searchfor + " at " + i + ", " + j); } else { System.out.println(searchfor + " not in the array"); } } }
The program generates this output.
Found 12 at 1, 0
The labeled statement is terminated by the break statement, which does not transmit control to the label. The statement immediately succeeding the labeled (terminated) statement receives control flow.