C Break and Continue Statements
The break
and continue
statements in C are used to control the flow of loops. The break
statement terminates the loop entirely, while the continue
statement skips the current iteration and continues with the next one. These statements enhance the flexibility of loop control structures.
Key Topics
1. Break Statement
The break
statement terminates the nearest enclosing loop or switch
statement in which it appears. Control resumes at the next statement following the terminated statement.
Example: Breaking Out of a For Loop
#include <stdio.h>
int main() {
int i;
for (i = 1; i <= 10; i++) {
if (i == 5) {
break;
}
printf("i = %d\n", i);
}
printf("Loop terminated at i = %d\n", i);
return 0;
}
Output:
i = 1 i = 2 i = 3 i = 4 Loop terminated at i = 5
Code Explanation: The loop prints the value of i
from 1 to 10. When i
equals 5, the break
statement is executed, terminating the loop.
2. Continue Statement
The continue
statement skips the rest of the code inside the loop for the current iteration and moves control back to the beginning of the loop for the next iteration.
Example: Skipping an Iteration in a While Loop
#include <stdio.h>
int main() {
int i = 0;
while (i < 5) {
i++;
if (i == 3) {
continue;
}
printf("i = %d\n", i);
}
return 0;
}
Output:
i = 1 i = 2 i = 4 i = 5
Code Explanation: When i
equals 3, the continue
statement skips the rest of the loop body and control returns to the condition check for the next iteration.
3. Using Break in Different Loops
Example: Break in a Do/While Loop
#include <stdio.h>
int main() {
int i = 1;
do {
printf("i = %d\n", i);
if (i == 3) {
break;
}
i++;
} while (i <= 5);
printf("Exited loop at i = %d\n", i);
return 0;
}
Code Explanation: The loop will execute until i
equals 3, at which point the break
statement terminates the loop.
4. Using Continue in Different Loops
Example: Continue in a For Loop
#include <stdio.h>
int main() {
int i;
for (i = 1; i <= 5; i++) {
if (i == 2 || i == 4) {
continue;
}
printf("i = %d\n", i);
}
return 0;
}
Output:
i = 1 i = 3 i = 5
Code Explanation: The loop skips printing when i
is 2 or 4 due to the continue
statement.
Best Practices
- Use
break
to exit loops when a certain condition is met, improving efficiency. - Use
continue
to skip unnecessary iterations and enhance loop performance. - Keep the use of
break
andcontinue
clear and well-documented to maintain code readability.
Don'ts
- Don't overuse
break
andcontinue
; excessive use can make code harder to follow. - Don't use
break
andcontinue
outside of loops; they have no effect there. - Don't forget to update loop variables properly when using
continue
to avoid infinite loops.
Key Takeaways
- The
break
statement terminates the nearest enclosing loop. - The
continue
statement skips the current iteration and continues with the next one. - Using
break
andcontinue
can make loops more efficient and control flow more precise.