c-为什么fopen / fprintf没有竞争条件

时间:2019-03-17 09:26:43

标签: c linux fork exec fopen

我正在尝试模拟竞争条件(这是一个正确的术语吗?),以便以后使用信号灯对其进行修复。

我有一个master.c流程:

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>

int main()
{
    for(int i = 0; i < 100; ++i)
    {
        if (fork() == 0)
        {
            char str[12];
            sprintf(str, "%d", i%10);
            execl("./slave", "slave", str, (char *)0);
        }
    }

    return 0;
}

还有一个slave.c进程将打印到文件中:

#include <stdio.h>
#include <unistd.h>

int main(int argc, char *argv[])
{
    FILE *p_file;
    p_file = fopen("out.txt", "a");
    for (int i = 0; i < 100; ++i)
    {
        usleep(100000); // I tried using this but it changes nothing
        fprintf(p_file, "%s", argv[1]);
    }
    fprintf(p_file, "\n");

    return 0;
}

输出文件out.txt如下所示: https://pastebin.com/nU6YsRsp

顺序为“随机”,但由于某种原因没有数据没有损坏。为什么会这样?

1 个答案:

答案 0 :(得分:2)

因为stdio在写入文件时默认使用缓冲的输出,并且您在每个进程中打印的所有内容都适合单个缓冲区。直到进程退出,缓冲区才会刷新,然后将其作为单个write()调用写入,该调用足够小,可以原子方式写入文件。

在每个fflush(p_file);之后致电fprintf(),您会得到更多混淆的结果。或致电setvbuf()禁用缓冲。