在尝试计算文本文件中的行数时,我注意到fgetc总是返回 EOF。这段代码适用于Freebsd 10,但现在它还没有在Mac OSX上运行。我检查了文件,看它是否为空,不是,它的大小约为1 KB,包含16行。我添加了一行来寻找文件的开头,认为这是问题,但它仍然返回EOF。那么为什么fgetc总是返回EOF?
int getLines(int listFd, int *lines)
{
/* Declarations */
*lines = 0;
int ch;
FILE *list;
/* Get File Stream */
list = fdopen(listFd, "r");
if(list == NULL)
{
printf("Can't Open File stream\n");
return -1;
}
/* Seek To beginning Of file */
fseek(list, 0, SEEK_SET);
/* Get Number of Lines */
while(!feof(list))
{
ch = fgetc(list);
if(ch == '\n')
{
lines++;
}
else if(ch == EOF)
{
break;
}
}
printf("lines: %d\n", *lines);
/* Clean up and Exit */
fclose(list);
return 0;
}
答案 0 :(得分:0)
fgetc()
应该最终返回EOF
。代码的另一个问题当然是混淆了行为和诊断。很好地测试IO功能的结果。
int getLines(int listFd, int *lines) {
...
*lines = 0;
...
if (fseek(list, 0, SEEK_SET)) puts("Seek error");
...
ch = fgetc(list);
if (ch == '\n') {
// lines++;
(*lines)++; // @R Sahu
}
...
printf("lines: %d\n", *lines);
if (ferror(list)) puts("File Error - unexpected");
if (feof(list)) puts("File EOF - expected");
}
其他东西:
以下代码是对文件结束条件的冗余测试
/* Get Number of Lines */
while(!feof(list)) {
ch = fgetc(list);
...
else if(ch == EOF) {
break;
}
}
建议的简化(@Keith Thompson)
/* Get Number of Lines */
while( (ch = fgetc(list)) != EOF) {
if(ch == '\n') {
(*lines)++;
}
}
关于文件行计数的一点:如果文件在最后'\n'
之后有文本,那么会算作一行吗?建议:
*lines = 0;
int prev = '\n';
/* Get Number of Lines */
while( (ch = fgetc(list)) != EOF) {
if(prev == '\n') {
(*lines)++;
}
prev = ch;
}