Facebook Pixelbreak/continue Statement | Java Tutorial | CodeWithHarry

break/continue Statement

Break Statement

In Java, the break statement is used when working with any kind of loop or a switch statement. It breaks out of the loop or a switch statement and returns the control to the main body of the program. In the case of nested loops, it breaks the inner loop and control is returned to the outer loop.

Example:

public class JavaBreak {
    public static void main(String[] args) {
        for(int n = 1; n <= 20; n++) {
            if(n % 2 == 0) {
                System.out.println(n);
                if (n == 12) {
                    break;
                }
            }
        }
    }
}

Output:

2
4
6
8
10
12

Continue Statement

The continue statement breaks the current iteration in the loop, if a specified condition occurs, moves to the end of the loop, and continues with the next iteration in the loop.

Example:

public class JavaContinue {
    public static void main(String[] args) {
        for(int n = 1; n <= 20; n++) {
            if(n % 2 == 0) {
                if (n == 12) {
                    continue;
                }
                System.out.println(n);
            }
        }
    }
}

Output:

2
4
6
8
10
14
16
18
20