feof
来自 cppreference.com
定义在头文件 <stdio.h> 中 |
||
int feof( FILE *stream ); |
||
检查给定文件流是否已到达末尾。
内容 |
[编辑] 参数
stream | - | 要检查的文件流 |
[编辑] 返回值
如果已到达流的末尾,则为非零值,否则为 0
[编辑] 备注
此函数仅报告最近一次 I/O 操作报告的流状态,它不检查相关联的数据源。例如,如果最近一次 I/O 是一个 fgetc,它返回了文件的最后一个字节,则 feof
返回零。下一个 fgetc 失败并更改流状态为文件末尾。只有那时 feof
返回非零值。
在典型的使用中,输入流处理在任何错误时停止;然后使用 feof
和 ferror 来区分不同的错误条件。
[编辑] 示例
运行此代码
#include <stdio.h> #include <stdlib.h> int main(void) { const char* fname = "/tmp/unique_name.txt"; // or tmpnam(NULL); int is_ok = EXIT_FAILURE; FILE* fp = fopen(fname, "w+"); if (!fp) { perror("File opening failed"); return is_ok; } fputs("Hello, world!\n", fp); rewind(fp); int c; // note: int, not char, required to handle EOF while ((c = fgetc(fp)) != EOF) // standard C I/O file reading loop putchar(c); if (ferror(fp)) puts("I/O error when reading"); else if (feof(fp)) { puts("End of file is reached successfully"); is_ok = EXIT_SUCCESS; } fclose(fp); remove(fname); return is_ok; }
可能的输出
Hello, world! End of file is reached successfully