- Java Tutorial
- Java Introduction
- Java Features
- Java Simple Program
- JVM, JDK and JRE
- Java Syntax
- Java Comments
- Java Keywords
- Java Variables
- Java Literals
- Java Separators
- Java Datatypes
- Java Operators
- Java Statements
- Java Strings
- Java Arrays
- Control Statement
- Java If
- Java If-else
- Java If-else-if
- Java Nested If
- Java Switch
- Iteration Statement
- Java For Loop
- Java For Each Loop
- Java While Loop
- Java Do While Loop
- Java Nested Loop
- Java Break/Continue
- Java Methods
- Java Methods
- Java Method Parameters
- Java Method Overloading
- Java Recursion
- Java OOPS
- Java OOPs
- Java Classes/Objects
- Java Inheritance
- Java Polymorphism
- Java Encapsulation
- Java Abstraction
- Java Modifiers
- Java Constructors
- Java Interface
- Java static keyword
- Java this keyword
- Java File Handling
- Java File
- Java Create File
- Java Read/Write File
- Java Delete File
- Java Program To
- Add Two Numbers
- Even or Odd Numbers
- Reverse a String
- Swap Two Numbers
- Prime Number
- Fibonacci Sequence
- Palindrome Strings
- Java Reference
- Java String Methods
- Java Math Methods
Java Break and Continue Statements
In Java, the break and continue statements are used to control the flow of loops. Here's a concise overview:
Break Statement:
- Used to exit a loop prematurely.
- When encountered, the loop immediately terminates, and program control resumes at the statement following the loop.
- Example:
for (int i = 0; i < 10; i++) {
if (i == 5) {
break;
}
System.out.println(i);
}
Output:
0
1
2
3
4
Continue Statement:
- Used to skip the current iteration of a loop and continue with the next iteration.
- When encountered, the loop proceeds to the next iteration, bypassing the remaining code in the loop's body.
- Example:
for (int i = 0; i < 5; i++) {
if (i == 2) {
continue;
}
System.out.println(i);
}
Output:
0
1
3
4
Use Cases:
- break: Terminate a loop early if a certain condition is met.
- continue: Skip specific iterations of a loop based on certain conditions.
Summary
The break and continue statements provide additional control over loop execution in Java, allowing for more precise handling of loop iterations. Understanding how to use these statements is essential for implementing complex loop logic and improving code readability.