DEV Community

Souvik Kundu
Souvik Kundu

Posted on

C Programming: A Short and Simple Guide To break, continue, and switch

#c

This quick and simple post delves into more advanced control flow mechanisms in C, providing programmers with the tools to write more efficient and readable code.

break and continue

These keywords allow us to manipulate loop execution.

  • break: Terminates the loop entirely.
for (int i = 0; i < 10; i++) {
  if (i == 5) {
    break; 
  }
  printf("%d ", i);
}
// Output: 0 1 2 3 4
Enter fullscreen mode Exit fullscreen mode
  • continue: Skips the current iteration and proceeds to the next.
for (int i = 0; i < 5; i++) {
  if (i == 2) {
    continue; 
  }
  printf("%d ", i);
}
// Output: 0 1 3 4
Enter fullscreen mode Exit fullscreen mode
  • switch: A cleaner alternative to multiple if-else statements when dealing with a single variable.
int day = 3;
switch (day) {
  case 1:
    printf("Monday\n");
    break;
  case 2:
    printf("Tuesday\n");
    break;
  case 3:
    printf("Wednesday\n");
    break;
  default:
    printf("Other day\n");
}
// Output: Wednesday
Enter fullscreen mode Exit fullscreen mode

break statements are crucial in switch blocks to prevent fall-through behavior.

Conditional Operator (?:)
A concise way to express simple conditional logic.

int a = 10, b = 20;
int max = (a > b) ? a : b; // max will be 20
Enter fullscreen mode Exit fullscreen mode

This is equivalent to:

int a = 10, b = 20;
int max;
if (a > b) {
  max = a;
} else {
  max = b;
}
Enter fullscreen mode Exit fullscreen mode

The conditional operator (?:) enhances code readability when used appropriately.

C programmers can write organized, efficient, and maintainable code by mastering control flow mechanisms. These constructs allow for flexible program execution.

Top comments (0)