In Java, the break and continue statements are essential tools for controlling the flow of loops. They provide flexibility and efficiency when working with loops, allowing you to exit a loop prematurely or skip specific iterations. In this article, we’ll explore how to use break and continue with practical examples.
The `break` Statement
The break statement is used to exit a loop prematurely, effectively terminating the loop’s execution. It is often used when a specific condition is met, and you want to stop the loop before it completes all iterations.
Example:
public class BreakExample {
    public static void main(String[] args) {
        for (int i = 1; i <= 10; i++) {
            if (i == 5) {
                System.out.println("Breaking the loop at i=" + i);
                break; // Exit the loop when i is 5
            }
            System.out.println("i = " + i);
        }
    }
}Output:
i = 1
i = 2
i = 3
i = 4
Breaking the loop at i=5In this example, the break statement is executed when i equals 5, causing an early exit from the loop.
The `continue` Statement
The continue statement is used to skip the current iteration of a loop and proceed with the next one. It is often used when you want to avoid executing certain statements within a loop for specific conditions.
Example:
public class ContinueExample {
    public static void main(String[] args) {
        for (int i = 1; i <= 5; i++) {
            if (i % 2 == 0) {
                System.out.println("Skipping even number: " + i);
                continue; // Skip the loop iteration for even numbers
            }
            System.out.println("Processing: " + i);
        }
    }
}Output:
Processing: 1
Skipping even number: 2
Processing: 3
Skipping even number: 4
Processing: 5In this example, the continue statement is executed for even numbers (i.e., i % 2 == 0), allowing the loop to skip processing and proceed with the next iteration.
Use Cases
- breakis handy when you need to exit a loop prematurely, often based on specific conditions.
- continueis useful when you want to skip certain loop iterations without terminating the entire loop.
These statements provide control over loop execution and help you write more efficient and readable code.
In conclusion, the break and continue statements are valuable tools for managing loops in Java. By strategically using these statements, you can fine-tune the behavior of your loops to meet your specific programming needs.
