在这个程序中,第二个和第四个scanf跳过,不知道原因。请问有什么可以告诉原因吗?
#include<stdio.h>
main()
{
int age;
char sex,status,city;
printf("Enter the persons age \n");
scanf("\n%d",&age);
printf("enter the gender\n");
scanf("%c",&sex);
printf("enter the health status");
scanf("%c",&status);
printf("where the person stay city or village");
scanf("%c",&city);
if(((age>25)&&(age<35))&&(sex=='m')&&(status=='g')&&(city=='c'))
printf("42");
else if(age>25&&age<35&&sex=='f'&&status=='g'&&city=='c')
printf("31");
else if(age>25&&age<35&&sex=='m'&&status=='b'&&city=='v')
printf("60");
else
printf("no");
}
答案 0 :(得分:3)
使用scanf()读取字符时,它会在输入缓冲区中留下换行符。
更改:
scanf("%c",&sex);
printf("enter the health status");
scanf("%c",&status);
printf("where the person stay city or village");
scanf("%c",&city);
为:
scanf(" %c",&sex);
printf("enter the health status");
scanf(" %c",&status);
printf("where the person stay city or village");
scanf(" %c",&city);
注意scanf格式字符串中的前导空格,它告诉scanf忽略空格。
或者,您可以使用getchar()来使用换行符。
scanf("%c",&sex);
getchar();
printf("enter the health status");
scanf("%c",&status);
getchar();
printf("where the person stay city or village");
scanf("%c",&city);
getchar();
答案 1 :(得分:0)
我总是遇到与使用scanf
相同的问题,因此,我使用字符串代替。我会用:
#include<stdio.h>
main()
{
int age;
char sex[3],status[3],city[3];
printf("Enter the persons age \n");
scanf("\n%d",&age);
printf("enter the gender\n");
gets(sex);
printf("enter the health status");
gets(status);
printf("where the person stay city or village");
gets(city);
if(((age>25)&&(age<35))&&(sex[0]=='m')&&(status[0]=='g')&&(city[0]=='c'))
printf("42");
else if(age>25&&age<35&&sex[0]=='f'&&status[0]=='g'&&city[0]=='c')
printf("31");
else if(age>25&&age<35&&sex[0]=='m'&&status[0]=='b'&&city[0]=='v')
printf("60");
else
printf("no");
}
如果第一个scanf
仍然给您带来问题(跳过第二个问题,gets
),您可以使用一个小技巧,但您必须包含一个新库
#include<stdlib.h>
...
char age[4];
...
gets(age);
...
if(((atoi(age)>25)&&(atoi(age)<35))&&(sex[0]=='m')&&(status[0]=='g')&&(city[0]=='c'))
每次使用atoi
时都使用age
,因为atoi
会将char字符串转换为整数(int)。