continue Statement

Stops the current iteration of a loop, and starts a new iteration.

continue [label];

Arguments

  • label
    Optional. Specifies the statement to which continue applies.

Remarks

You can use the continue statement inside while, do...while, for, or for...in loops only. Executing the continue statement stops the current iteration of the loop and continues program flow with the beginning of the loop. This has the following effects on the different types of loops:

  • while and do...while loops test their condition, and if true, execute the loop again.

  • for loops execute their increment expression, and if the test expression is true, execute the loop again.

  • for...in loops proceed to the next field of the specified variable and execute the loop again.

Example

In this example, a loop iterates from 1 through 9. The statements between continue and the end of the for body are skipped because of the use of the continue statement together with the expression (i < 5).

var s = "";
for (var i = 1; i < 10; i++)
    {
    if (i < 5)
        {
        continue;
        }
    s += i + " ";
    }
print (s);
// Output: 5 6 7 8 9

In the following code, the continue statement refers to the for loop that is preceded by the Inner: statement. When j is equal to 24, the continue statement causes that for loop to go to the next iteration. The numbers 21 through 23 and 25 through 30 print on each line.

var s = "";

Outer:
for (var i = 1; i <= 10; i++)
    {
    s += "\n";
    s += "i: " + i;
    s += " j: ";

Inner:
    for (var j = 21; j <= 30; j++)
        {
        if (j == 24)
             {
             continue Inner;
             }
        s += j + " ";
        }
    }
print(s);

Requirements

Version 1

See Also

Reference

break Statement

do...while Statement

for Statement

for...in Statement

Labeled Statement

while Statement