我有一个这样的文件:
name1 nickname1
name2 nickname2
name3 nickname3
我想让我的程序读取该文件,并显示情侣的名字/昵称。
以下是我所做的:
users_file = fopen("users", "r");
while(!feof(users_file))
{
fscanf(users_file, "%s %s", &user.username, &user.name);
printf("%s | %sn", user.username, user.nickname);
}
这是输出:
name1 | nickname1
name2 | nickname2
name3 | nickname3
name3 | nickname3
为什么最后一个重复?感谢
您需要在fscanf()
之后立即检查feof()
,或者检查fscanf()
本身的返回值。由于达到eof,fscanf()
没有将任何新数据读取到user.username
和user.nickname
中,因此重复最后一个。
可能的修复:
/*
* You could check that two strings were read by fscanf() but this
* would not detect the following:
*
* name1 nickname1
* name2 nickname2
* name3 nickname3
* name4
* name5
*
* The fscanf() would read "name4" and "name5" into
* 'user.username' and 'user.name' repectively.
*
* EOF is, typically, the value -1 so this will stop
* correctly at end-of-file.
*/
while(2 == fscanf(users_file, "%s %s", &user.username, &user.name))
{
printf("%s | %sn", user.username, user.nickname);
}
或:
/*
* This would detect EOF correctly and stop at the
* first line that did not contain two separate strings.
*/
enum { LINESIZE = 1024 };
char line[LINESIZE];
while (fgets(line, LINESIZE, users_file) &&
2 == sscanf(line, "%s %s", &user.username, &user.name))
{
printf("%s | %sn", user.username, user.name);
}
如果您将循环更改为:
while((fscanf(users_file, "%s %s", &user.username, &user.name))
{
printf("%s | %sn", user.username, user.nickname);
}
然后它应该工作,注意我们不检查EOF,我们让fscanf为我们检查。
如果出现文件结尾条件,feof()
函数将返回true。如果您正在从文件中读取,则情况可能并非如此。
有多种方法可以绕过这一点,可能奏效的方法(基本上就是hmjd所说的)是:
while (fscanf(users_file, "%s %s", &user.username, &user.name) == 2) {
...
}
fscanf
的返回值是成功转换和分配的转换次数,因此,如果您在读取时得到EOF,这将与您预期的两个不同。