Julia continue Keyword | Continue iterating to next value of a loop in Julia
Keywords in Julia are predefined words that have a definite meaning to the compiler. These keywords can’t be used to name variables.
'continue'
keyword in Julia skips the statement immediately after the continue statement. Whenever the continue keyword is executed, the compiler immediately stops iterating over further values and sends the execution pointer back to the next iterating value in the loop.
Syntax:
loop condition statement statement continue statement end
Example 1:
# Julia program to illustrate # the use of 'continue' keyword # Defining for-loop for i in 1 : 10 if iseven(i) # Using 'continue' keyword continue else println(i) end end |
Output:
1 3 5 7 9
Example 2:
# Julia program to illustrate # the use of 'continue' keyword i = 0 # Defining while-loop while i < 10 global i = i + 1 if iseven(i) # Using 'continue' keyword continue else println(i) end end |
Output:
1 3 5 7 9
Please Login to comment...