如何使用scanf读取空格

时间:2017-04-20 00:26:47

标签: c whitespace scanf space backspace

即使我在scanf("[^\n]s", x)"%34[^\n]"%127s中使用此条件,我也无法正确获得答案。 scanf区域或其他部分是否存在任何问题....

#include <stdio.h>

int main() 
{
    int i = 4;
    double d = 4.0;
    char s[] = "hello ";
    int a;
    double b;
    unsigned char string_2[100];
    scanf("%d",&a);
    scanf("%lf",&b);
    scanf("%[^\n]s",string_2);
    printf("%d",a+i);
    printf("\n%lf",d+b);
    printf("\n%s",s);
    printf("%s",string_2);
    return(0);
}

1 个答案:

答案 0 :(得分:1)

不要那样使用scanf

在此:

scanf("%lf",&b);
scanf("%[^\n]s",string_2);

第一个scanf从输入中读取一个数字,但必须等待终端首先为程序提供完整的输入行。假设用户123,程序从OS读取123\n

scanf看到新行不再是该数字的一部分,并在处停止输入缓冲区中的新行(在stdio中)。第二个scanf尝试阅读非换行符,但不能这样做,因为它看到的第一件事是换行符。如果您检查scanf来电的返回值,您会看到第二个scanf返回零,即它无法完成您要求的转换。

而是使用fgetsgetline

一次读取整行
#include <stdio.h>
int main(void)
{
    char *buf = NULL;
    size_t n = 0;
    double f;
    getline(&buf, &n, stdin);
    if (sscanf(buf, "%lf", &f) == 1) {
        printf("you gave the number %lf\n", f);
    }
    getline(&buf, &n, stdin);
    printf("you entered the string: %s\n", buf);
    return 0;
}  

有关更长时间的讨论,请参阅:http://c-faq.com/stdio/scanfprobs.html