我在windows上遇到了一些文件写入失败的问题。我将其简化为以下示例:

FILE* f = fopen("test.out", "r+b");
fseek(f, -1, SEEK_END); // one byte before the end
printf("read byte: %c\n", fgetc(f)); // read the last byte; now at the end
printf("attempting write: %d\n", fputs("text", f));

这将正确输出test.out的最后一个字节,但fputs失败并返回-1。这些类似的例子都很有效:
不要读
FILE* f = fopen("test.out", "r+b");
fseek(f, 0, SEEK_END); // this is where I ended up after the fgetc() above
printf("attempting write: %d\n", fputs("text", f));

看完后再找结尾(即使我们已经在那儿了)
FILE* f = fopen("test.out", "r+b");
fseek(f, -1, SEEK_END);
printf("read byte: %c\n", fgetc(f));
fseek(f, 0, SEEK_END);
printf("attempting write: %d\n", fputs("text", f));

寻找我们已经在的地方
FILE* f = fopen("test.out", "r+b");
fseek(f, -1, SEEK_END);
printf("read byte: %c\n", fgetc(f));
fseek(f, ftell(f), SEEK_SET);
printf("attempting write: %d\n", fputs("text", f));

读取,但不是最后一个字节
FILE* f = fopen("test.out", "r+b");
fseek(f, -2, SEEK_END); // two bytes before the end
printf("read byte: %c\n", fgetc(f)); // read the penultimate byte
printf("attempting write: %d\n", fputs("text", f));

读过结尾(…)
FILE* f = fopen("test.out", "r+b");
fseek(f, -1, SEEK_END); // one byte before the end
printf("read byte: %c\n", fgetc(f)); // read the last byte; now at the end
printf("read byte: %c\n", fgetc(f)); // read a garbage byte
printf("attempting write: %d\n", fputs("text", f));

这些似乎都表明流错误或eof问题,但是ferror(f)feof(f)都返回0,直到失败的fputs()。之后,ferror(f)是非零的,但是errno是0,所以我不知道问题是什么
我在visual studio 2008和gcc 4.7.2(mingw)中都只能在windows上看到这一点。在Linux上,相同的代码运行时没有错误

最佳答案

c标准要求在从“读模式”切换到“写模式”时执行seek,反之亦然,除非在某些其他特殊情况下通常不值得枚举。
一个实现(比如我几年前为bsd编写的实现,或者linux的实现)可以比要求更宽容,使代码“正常工作”。(这真的很容易,你只需要在实现中保留两个单独的计数器,而不是一个组合的计数器)但是标准并不要求实现友好,而windows则不需要。

09-07 10:26