The continue
statement in C++ is used to stop an iteration that is running and continue with the next one.
The continue
statement works in such a way that it cancels every statement running in the iteration of a loop and moves the control back to the top of the loop. In other words, it continues to the next iteration when a certain condition is reached.
In C++, we can use the continue
statement in the while
and for
loops.
continue
statement in a for
loopIn the example below, we will use the continue
statement in a for
loop to continue to the next iteration when the value of x
equals 5
.
#include <iostream>using namespace std;int main() {for (int x = 0; x < 10; x++) {if (x == 5) {continue;}cout << x << "\n";}return 0;}
Line 3: We use the continue
statement to continue to the next iteration after the number '5'
character in the range of values we created.
Line 5: We start a for
loop and give an expression that makes x
be in the range of 0
to 9
.
Line 6: We create a condition that states that if the value of x
is equal to 5
in the iteration, the iteration should stop at that point and continue to the next iteration 6
, using the continue statement.
Line 9: We print the statement or command to execute provided the condition provided is true.
continue
statement in a while
loopIn the code below, we will use the continue
statement in a while
loop to continue to the next iteration when x
equals 5
.
#include <iostream>using namespace std;int main() {int x = 0;while (x < 10) {if (x == 5) {x++;continue;}cout << x << "\n";x++;}return 0;}
x
and assign it to 0
.while
loop, we make the values of x
to be less than 10
.if
statement in line 7, we create a condition that if x
equals 5
, and the value of x
incrementing by 1
in line 8, the iteration should stop at that point and continue to the next value of x
, which is 6
using the continue
statement in line 9.x
providing the condition provided in line 7 is true.x
by 1
.