有人可以解释一下stdio缓冲是如何工作的吗?

时间:2015-03-20 22:16:51

标签: c buffer stdio

我不明白缓冲区正在做什么以及它是如何使用的。 (另外,如果你能解释缓冲区通常做什么) 特别是,为什么我在这个例子中需要fflush?

int main(int argc, char **argv)
{
    int pid, status;
    int newfd;  /* new file descriptor */

    if (argc != 2) {
        fprintf(stderr, "usage: %s output_file\n", argv[0]);
        exit(1);
    }
    if ((newfd = open(argv[1], O_CREAT|O_TRUNC|O_WRONLY, 0644)) < 0) {
        perror(argv[1]);    /* open failed */
        exit(1);
    }
    printf("This goes to the standard output.\n");
    printf("Now the standard output will go to \"%s\".\n", argv[1]);
    fflush(stdout);

    /* this new file will become the standard output */
    /* standard output is file descriptor 1, so we use dup2 to */
    /* to copy the new file descriptor onto file descriptor 1 */
    /* dup2 will close the current standard output */

    dup2(newfd, 1); 

    printf("This goes to the standard output too.\n");
    exit(0);
}

2 个答案:

答案 0 :(得分:3)

在UNIX系统中,stdout缓冲恰好提高了I / O性能。 每次进行I / O都会非常昂贵。

如果你真的不想缓冲那里有一些选择:

  1. 禁用缓冲呼叫 setvbuf http://www.cplusplus.com/reference/cstdio/setvbuf/

  2. 想要刷新缓冲区时调用flush

  3. 输出到stderr(默认情况下无缓冲)

  4. 您可以在此处了解更多详情:http://www.turnkeylinux.org/blog/unix-buffering

    I / O是一项昂贵的操作,因此为了减少I / O操作的数量,系统将信息存储在临时存储器位置,并将I / O操作延迟到具有大量数据的时刻

    通过这种方式,您可以实现更少的I / O操作,更快的应用程序。

答案 1 :(得分:1)

danielfraca回答了大部分问题,但还有另一部分:流上的默认缓冲是什么?

默认情况下,输出流是行缓冲的,当且仅当它引用终端时。否则它是全缓冲的。另请注意,如果写入的BUFSIZ字节超过#include <stdio.h> #include <unistd.h> int main() { puts("Hello"); fork(); puts("World"); } ,则两种缓冲都会自动刷新(通常在512和8192之间为2的幂)。

所以这个程序:

% ./fork 
Hello
World
World
% ./fork | cat
Hello
World
Hello
World

生成此输出:

{{1}}