我刚刚开始使用C编程,当我尝试编写程序只接受y或n个字符时,我遇到了
#include <stdio.h>
#include <stdlib.h>
int main()
{
char ch;
printf("Do you want to continue\n");
for (;;)
{
ch=getchar();
if (ch=='Y' || ch=='y')
{
printf("Sure!\n");
break;
}
else if (ch=='N'||ch=='n')
{
printf("Alright! All the best!\n");
break;
}
else
{
printf("You need to say either Yes/No\n");
fflush(stdin);
}
}
return(0);
}
当我运行此代码并键入除Y / y或N / n以外的任何其他字符时,我收到最后一个printf语句(您需要说是/否)作为输出两次。 我知道这种情况正在发生,因为它认为输入,即'\ n'作为另一个字符。 使用fflush无助,因为它是一个无限循环。 我怎么能修改它,以便最后一个语句只显示一次?
答案 0 :(得分:1)
您可以使用循环来阅读使用getchar()
留下的任何字符:
ch=getchar();
int t;
while ( (t=getchar())!='\n' && t!=EOF );
ch
的{{1}}类型应int
getchar()
返回int
。您还应该检查ch
是否为EOF
。
fflush(stdin)
是每个C标准的未定义行为。虽然,对于某些平台/编译器(例如Linux和MSVC),已定义,但您应该在任何可移植代码中避免使用它。
答案 1 :(得分:0)
另一种选择 - 使用scanf
忽略空格。
而不是ch=getchar();
,只需要scanf( " %c", &ch );
有了这个,你也可以摆脱fflush(stdin);
答案 2 :(得分:0)
就像在评论中说的那样,您应该使用int ch
代替char ch
,因为getchar
的返回类型是int
。
要清除stdin
,您可以执行以下操作:
#include <stdio.h>
#include <stdlib.h>
int main(void){
int ch,cleanSTDIN;
printf("Do you want to continue\n");
for (;;)
{
ch = getchar();
while((cleanSTDIN = getchar()) != EOF && cleanSTDIN != '\n');
if (ch=='Y' || ch=='y')
{
printf("Sure!\n");
break;
}
else if (ch=='N'||ch=='n')
{
printf("Alright! All the best!\n");
break;
}
else
{
printf("You need to say either Yes/No\n");
}
}
return(0);
}
任何方式可能会为你完成这项工作:
#include <stdio.h>
#include <stdlib.h>
int main(void){
char ch;
int check;
do {
printf("Do you want to continue: ");
if ((scanf("%c",&ch)) == 1){
while((check=getchar()) != EOF && check != '\n');
if ((ch == 'y') || (ch == 'Y')){
printf("Alright! All the best!\n");
break;
} else if((ch == 'n') || (ch == 'N')){
printf("You choosed %c\n",ch);
break;
}else{
printf("You need to say either Yes/No\n");
}
}else{
printf("Error");
exit(1);
}
}while (1);
return 0;
}
输出1:
Do you want to continue: g
You need to say either Yes/No
Do you want to continue: y
Alright! All the best!
输出2:
Do you want to continue: n
You choosed n
答案 3 :(得分:0)
或者我们可以在最后break;
之后使用另一个printf()
语句。