在C语言中,选择结构用于根据条件判断来选择性地执行不同的代码块。选择结构主要有两种形式: if-else结构和 switch-case结构。
if-else结构
基本形式:
```c
if (条件表达式) {
语句1;
} else {
语句2;
}
```
多个条件:
```c
if (条件表达式1) {
语句1;
} else if (条件表达式2) {
语句2;
} else if (条件表达式3) {
语句3;
} else {
语句n;
}
```
switch-case结构
基本形式:
```c
switch (表达式) {
case 常量表达式1:
语句1;
break;
case 常量表达式2:
语句2;
break;
...
case 常量表达式n:
语句n;
break;
default:
语句n+1;
}
```
选择结构的使用场景
if-else结构:适用于根据一个或多个条件执行不同的代码块。
switch-case结构:适用于根据一个表达式的值执行不同的代码块,尤其是当有多个常量表达式需要匹配时。
示例
```c
include
int main() {
int score;
scanf("%d", &score);
if (score >= 90) {
printf("Grade: A\n");
} else if (score >= 80) {
printf("Grade: B\n");
} else if (score >= 70) {
printf("Grade: C\n");
} else if (score >= 60) {
printf("Grade: D\n");
} else {
printf("Grade: F\n");
}
return 0;
}
```
```c
include
int main() {
int day = 14;
switch (day) {
case 1:
case 2:
case 3:
case 4:
case 5:
case 6:
case 7:
printf("Weekend\n");
break;
case 8:
case 9:
case 10:
case 11:
case 12:
case 13:
case 14:
printf("Weekday\n");
break;
default:
printf("Invalid day\n");
}
return 0;
}
```
建议
在选择使用if-else还是switch-case时,考虑条件的数量和常量表达式的使用场景。如果条件较少且常量表达式较多,switch-case可能更简洁。如果条件较多或需要灵活的条件判断,if-else可能更合适。
注意在switch-case结构中,每个case后必须有`break`语句,否则会导致多个case合并执行。
通过合理选择和使用选择结构,可以使程序更加清晰和高效。