Switch Statements
C multi-way branching
Basic switch statement
Simple switch statement
#include <stdio.h>
int main() {
int choice = 2;
switch (choice) {
case 1:
printf("Option 1 selected\n");
break;
case 2:
printf("Option 2 selected\n");
break;
case 3:
printf("Option 3 selected\n");
break;
default:
printf("Invalid option\n");
break;
}
return 0;
}
C switch with integer values
C switch statement with integer cases
#include <stdio.h>
int main() {
int choice = 2;
switch (choice) {
case 1:
printf("Option 1 selected\n");
break;
case 2:
printf("Option 2 selected\n");
break;
case 3:
printf("Option 3 selected\n");
break;
default:
printf("Invalid option\n");
break;
}
return 0;
}
C switch with character values
C switch statement with character cases
#include <stdio.h>
int main() {
char grade = 'B';
switch (grade) {
case 'A':
printf("Excellent!\n");
break;
case 'B':
printf("Good!\n");
break;
case 'C':
printf("Average\n");
break;
case 'D':
printf("Below Average\n");
break;
case 'F':
printf("Fail\n");
break;
default:
printf("Invalid grade\n");
break;
}
return 0;
}
C switch with fall-through
C switch statement with fall-through cases
#include <stdio.h>
int main() {
int month = 3;
switch (month) {
case 12:
case 1:
case 2:
printf("Winter\n");
break;
case 3:
case 4:
case 5:
printf("Spring\n");
break;
case 6:
case 7:
case 8:
printf("Summer\n");
break;
case 9:
case 10:
case 11:
printf("Autumn\n");
break;
default:
printf("Invalid month\n");
break;
}
return 0;
}
C switch with enum values
C switch statement with enum values
#include <stdio.h>
enum Color { RED, GREEN, BLUE };
int main() {
enum Color color = GREEN;
switch (color) {
case RED:
printf("Color is red\n");
break;
case GREEN:
printf("Color is green\n");
break;
case BLUE:
printf("Color is blue\n");
break;
default:
printf("Unknown color\n");
break;
}
return 0;
}