对switch语句的困惑:为何有多个输出?
#include <iostream>using namespace std;
int empty_function(){}
int main() {
char the_in;
the_in = 56;
cout << "The input is: " << the_in << endl;
switch (the_in) {
case 8:
cout << "The input is 8" << endl;
break;
case 56:
cout << "The input is 56" << endl;
break;
default:
cout << "The input is not 8 or 56" << endl;
}
system("pause");
return 0;
} 你好!看起来你在使用 `switch` 语句时遇到了一些困惑,不过你的代码有些不完整。我假设你想了解当 `switch` 语句出现多个输出的原因。
在 `switch` 语句中,最常见的问题是忘记在每个 `case` 后添加 `break` 语句。`break` 语句的作用是终止当前的 `case` 代码块并跳出 `switch` 结构。如果没有 `break`,程序会继续执行下一个 `case`,这就是所谓的 "fall-through" 现象。
例如:
switch (the_in) {
case '8':
cout << "这是字符8" << endl;
break;
case '9':
cout << "这是字符9" << endl;
break;
default:
cout << "默认情况" << endl;
}
如果缺少 `break`,比如这样:
switch (the_in) {
case '8':
cout << "这是字符8" << endl;
case '9':
cout << "这是字符9" << endl;
default:
cout << "默认情况" << endl;
}
当 `the_in` 为 `'8'` 时,会输出所有匹配和后续 `case` 的内容。
请确保在每个 `case` 后使用 `break`,除非你有意让代码执行多个 `case`。如果还需其他帮助,请提供完整代码片段。
以上回复来自 FishC AI 小助理,如未能正确解答您的问题,请继续追问。 难道不是吗,因为第一次的 “The input is" 在 switch 前就已经有了一句,所以 switch 外输出一行,内部也会输出一行。 本帖最后由 jackz007 于 2024-10-22 21:30 编辑
switch 语句正常执行,屏显 2 行是因为 switch 前就有一个屏幕输出,之所以奇怪,是因为把 the_in 定义成了 char,在向 cout 输出的时候,the_in 被作为字符输出的是 '8'(56 是字符 '8' 的 ASCII 编码),如果改为 int 就不会这样了。
#include <iostream>
using namespace std;
int main(void)
{
char the_in ; // 把 the_in 定义为 char,那么,会被作为字符显示
the_in = 56 ; // 56 是字符 '8' 的 ASCII 编码
cout << "The input is: " << the_in << endl; // the_in 会被作为字符(而不是数值)进行显示,这里会显示The input is: 8
switch (the_in) {
case 8:
cout << "The input is 8" << endl ;
break ;
case 56:
cout << "The input is 56" << endl ; // 这里会显示The input is: 56
break ;
default:
cout << "The input is not 8 or 56" << endl;
}
system("pause");
return 0;
}
学习了
页:
[1]