break loop in java code example
Example 1: break java
//Conclusion
break == jump out side the loop
continue == next loop cycle
return == return the method/end the method.
for(int i = 0; i < 5; i++) {
System.out.println(i +"");
if(i == 3){
break;
}
}
System.out.println("finish!");
/* Output
0
1
2
3
finish!
*/
Example 2: how to break out for loop java
//Java Program to demonstrate the use of break statement
//inside the for loop.
public class BreakExample {
public static void main(String[] args) {
//using for loop
for(int i=1;i<=10;i++){
if(i==5){
//breaking the loop
break;
}
System.out.println(i);
}
}
}
Example 3: java while loop break
while (true) {
....
if (obj == null) {
break;
}
....
}
Example 4: break a function java
public void someMethod() {
//... a bunch of code ...
if (someCondition()) {
return; //break the funtion
}
//... otherwise do the following...
}
Example 5: break for loop java
public class Test {
public static void main(String args[]) {
int [] numbers = {10, 20, 30, 40, 50};
for(int x : numbers ) {
if( x == 30 ) {
break;
}
System.out.print( x );
System.out.print("\n");
}
}
}