使用C中的fscanf扫描字符串

时间:2012-10-24 04:26:09

标签: c string file scanf

请帮我解决一些问题。

该文件包含:

AAAA 111 BBB
CCC 2222 DDDD
EEEEE 33 FF

代码为:

int main() {
    FILE * finput;

    int i, b;
    char a[10];
    char c[10];

    finput = fopen("input.txt", "r");

    for (i = 0; i < 3; i++) {
        fscanf(finput, "%s %i %s\n", &a, &b, &c);
        printf("%s %i %s\n", a, b, c);
    }

    fclose(finput);
    return 0;
}

代码确实有效。但是,会发生以下错误:

format «%s» expects argument of type «char *», but argument 3 has type «char (*)[10]
format «%s» expects argument of type «char *», but argument 5 has type «char (*)[10]

类型错了吗?有什么问题?

1 个答案:

答案 0 :(得分:4)

数组名称衰减为指向其第一个元素的指针,因此为了将数组的地址传递给fscanf(),您应该直接传递数组:

fscanf(finput, "%s %i %s\n", a, &b, c);

这相当于:

fscanf(finput, "%s %i %s\n", &a[0], &b, &c[0]);

但显然使用a代替&a[0]会更方便。

你编写它的方式,你传递相同的(这就是它的工作原理),但是这个值有一个不同的类型:它不是一个指针a char,但是指向char数组的指针。这不是fscanf()所期望的,所以编译器会对此发出警告。

有关说明,请参阅:https://stackoverflow.com/a/2528328/856199