有人可以解释一下 stdio 缓冲是如何工作的吗?
Can someone please explain how stdio buffering works?
我不明白缓冲区是做什么的以及它是如何使用的。 (另外,如果你能解释缓冲区通常做什么)
特别是,为什么在此示例中需要 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);
}
在 UNIX 系统中,stdout 缓冲恰好可以提高 I/O 性能。
每次都做I/O会很贵
如果你真的不想缓冲,有一些选择:
禁用缓冲调用 setvbuf http://www.cplusplus.com/reference/cstdio/setvbuf/
当你想刷新缓冲区时调用flush
输出到 stderr(默认无缓冲)
这里有更多详细信息:http://www.turnkeylinux.org/blog/unix-buffering
I/O 是一个昂贵的操作,所以为了减少 I/O 操作的次数,系统将信息存储在一个临时内存位置,并将 I/O 操作延迟到一个时刻当它有大量数据时。
这样,您的 I/O 操作数量就会少得多,这意味着应用程序会更快。
danielfraca 回答了大部分问题,但还有另一部分:流上的默认 缓冲是什么?
当且仅当它引用终端时,默认情况下输出流是行缓冲的。否则它是全缓冲的。另请注意,如果写入超过 BUFSIZ
字节(通常是 512 和 8192 之间的 2 的幂),两种缓冲都会自动刷新。
所以这个程序:
#include <stdio.h>
#include <unistd.h>
int main()
{
puts("Hello");
fork();
puts("World");
}
产生这个输出:
% ./fork
Hello
World
World
% ./fork | cat
Hello
World
Hello
World
我不明白缓冲区是做什么的以及它是如何使用的。 (另外,如果你能解释缓冲区通常做什么) 特别是,为什么在此示例中需要 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);
}
在 UNIX 系统中,stdout 缓冲恰好可以提高 I/O 性能。 每次都做I/O会很贵
如果你真的不想缓冲,有一些选择:
禁用缓冲调用 setvbuf http://www.cplusplus.com/reference/cstdio/setvbuf/
当你想刷新缓冲区时调用flush
输出到 stderr(默认无缓冲)
这里有更多详细信息:http://www.turnkeylinux.org/blog/unix-buffering
I/O 是一个昂贵的操作,所以为了减少 I/O 操作的次数,系统将信息存储在一个临时内存位置,并将 I/O 操作延迟到一个时刻当它有大量数据时。
这样,您的 I/O 操作数量就会少得多,这意味着应用程序会更快。
danielfraca 回答了大部分问题,但还有另一部分:流上的默认 缓冲是什么?
当且仅当它引用终端时,默认情况下输出流是行缓冲的。否则它是全缓冲的。另请注意,如果写入超过 BUFSIZ
字节(通常是 512 和 8192 之间的 2 的幂),两种缓冲都会自动刷新。
所以这个程序:
#include <stdio.h>
#include <unistd.h>
int main()
{
puts("Hello");
fork();
puts("World");
}
产生这个输出:
% ./fork
Hello
World
World
% ./fork | cat
Hello
World
Hello
World