我正在编写一些代码,但我在程序的某个部分得到了意外的输出,这反过来又破坏了整个系统。
代码可以简化并缩短为:
char ch;
printf("Enter Number: ");
while ((ch = getchar()) != '\n') {
if (ch >= 65 && ch <= 67) {
ch = 2;
}
putchar(ch);
}
根据上面的代码,我正在尝试打印用户选择的字符/整数序列。数字应该保持不变,而如果用户输入字母A
,则应该打印2
。
预期产出
Enter Number: 23-AB
23-22
实际输出
Enter Number: 23-AB
23-☺☺
一旦遇到这个问题,我决定调整一些东西并提出以下完美运行的代码。它使用相同的方法,但产生不同的输出:
char input;
printf("\nEnter Number: ");
while ((ch = getchar()) != '\n') {
switch (toupper(ch)) { //toupper function not really needed since I am expecting the user to enter upper-case letters ONLY
case 'A': case 'B': case 'C':
printf("2");
break;
default:
putchar(ch);
}
}
预期产出
Enter Number: 23-AB
23-22
实际输出
Enter Number: 23-AB
23-22
我无法理解为什么我无法将第一个代码中输入的字符的 ASCII 值转换为单个整数。造成这种输出差异的原因是什么?我只是将控制表达式的类型从if-statement
更改为 a switch-statement
(或者我认为是这样)。如何更改第一个代码以提供与第二个代码相同的输出?