When would you use the R next Statement?
a) To skip the current iteration of a loop and move to the next iteration
b) To exit a loop immediately
c) To define a variable inside a loop
d) To create a new loop within an existing loop
Answer:
a) To skip the current iteration of a loop and move to the next iteration
Explanation:
The next
statement in R is used to skip the remainder of the current iteration of a loop and proceed directly to the next iteration. It’s useful for bypassing specific values or conditions without exiting the loop entirely.
# Example using next in a for loop
for (i in 1:5) {
if (i == 3) {
next # Skip the iteration when i is 3
}
print(i)
}
# Output:
# [1] 1
# [1] 2
# [1] 4
# [1] 5
In this example, the loop skips printing the number 3 and continues with the next iteration. The next
statement is helpful when you want to skip certain iterations based on specific conditions.