Java - Continue statement in Java

The continue statement is used in many programming languages such as C, C++, java etc.

Java - Continue statement in Java

The continue statement is used in many programming languages such as C, C++, java etc.

Java - Continue statement in Java

Java - Continue statement in Java

     

Continue: The continue statement is used in many programming languages such as C, C++, java etc. Sometimes we do not need to execute some statements under the loop then we use the continue statement that stops the normal flow of the control and control returns to the loop without executing the statements written after the continue statement. There is the difference between break and continue statement that the break statement exit control from the loop but continue statement keeps continuity in loop without executing the statement written after the continue statement according to the conditions.

In this program we will see that how the continue statement is used to stop the execution after that.

Here is the code of the program : 

public class Continue{
 
 public static void main(String[] args){
  Thread t = 
new Thread();
  int a = 0;
 
 try{
 
 for (int i=1;i<10;i++)
    {
  
  if (i == 5)
  {
  continue;
  //control will never reach here (after the continue statement).
  //a = i;
  }
  t.sleep(
1000);
  System.out.println(
"chandan");
  System.out.println("Value of a : " + a);
  }
  }
  catch(InterruptedException e){}
  }
}

Output of the program :

If we write the code in the given program like this : 
if (i == 5 )
{
  continue;
  a = i;
}

Then the program will generate a error on compile time like : 

C:\chandan>javac Continue.java
Continue.java:12: unreachable statement
a = i;
^
1 error

If we write the code in the given program like this : 
if (i == 5 )
{
  continue;
}

Then the program prints the output like : 

C:\chandan>javac Continue.java

C:\chandan>java Continue
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0
chandan
Value of a : 0

Download this example.