#include <stdio.h>
#include <stdlib.h>
int main()
{
char ch;
FILE *fp = fopen("in.txt", "r");
while (!feof(fp))
{
fscanf(fp, "%c", &ch);
printf("%c", ch);
}
return 0;
}
假设"in.txt"中存放的内容是:ABCDFEFG
按照自己的想法,输出应该是:ABCDEFG,但是实际上的输出却是:ABCDEFGG,最后一个字符被输出了两次!
在官方帮助文档里查询feof,其返回值说明为:
A non-zero value is returned in the case that the End-of-File indicator associated with the stream is set.Otherwise, a zero value is returned.
如果流的文件结束符(EOF)已经被设置,那么返回非零值,否则返回零。
输入文件的最后一个字符是不可见的字符 '\0',所以文件指针移动到指向'\0'的时候,还没有设置EOF,此时进行设置,因此再进入循环体一次。
而fscanf()已经读取不到有效字符,所以返回EOF,而ch的值没有被改变(同样,参考文档里对fscanf()的说明),还是'G',所以'G'第二次被输出。
由于fscanf()返回的读取的有效字符的个数,所以代码可以修改为:
#include <stdio.h>
#include <stdlib.h>
int main()
{
char ch;
FILE *fp = fopen("in.txt", "r");
while (fscanf(fp, "%c", &ch) > 0)
printf("%c", ch);
return 0;
}