的行为printf()似乎取决于的位置stdout。
printf()
stdout
fflush()
什么时候是stdout行缓冲的,什么时候fflush()需要调用?
void RedirectStdout2File(const char* log_path) { int fd = open(log_path, O_RDWR|O_APPEND|O_CREAT,S_IRWXU|S_IRWXG|S_IRWXO); dup2(fd,STDOUT_FILENO); if (fd != STDOUT_FILENO) close(fd); } int main_1(int argc, char* argv[]) { /* Case 1: stdout is line-buffered when run from console */ printf("No redirect; printed immediately\n"); sleep(10); } int main_2a(int argc, char* argv[]) { /* Case 2a: stdout is not line-buffered when redirected to file */ RedirectStdout2File(argv[0]); printf("Will not go to file!\n"); RedirectStdout2File("/dev/null"); } int main_2b(int argc, char* argv[]) { /* Case 2b: flushing stdout does send output to file */ RedirectStdout2File(argv[0]); printf("Will go to file if flushed\n"); fflush(stdout); RedirectStdout2File("/dev/null"); } int main_3(int argc, char* argv[]) { /* Case 3: printf before redirect; printf is line-buffered after */ printf("Before redirect\n"); RedirectStdout2File(argv[0]); printf("Does go to file!\n"); RedirectStdout2File("/dev/null"); }
刷新stdout取决于其缓冲行为。可以将缓冲设置为三种模式:(_IOFBF完全缓冲:等待,直到fflush()可能),_IOLBF(行缓冲:换行符触发自动刷新)和_IONBF(始终使用直接写)。“对这些特性的支持是由实现定义的,并且可能会受到setbuf()和setvbuf()功能的影响。” [C99:7.19.3.3]
_IOFBF
_IOLBF
_IONBF
setbuf()
setvbuf()
“在程序启动时,三个文本流是预先定义的,无需显式打开- 标准输入(用于读取常规输入),标准输出(用于写入常规输出)和标准错误(用于写入诊断输出)。最初打开时,标准错误流没有被完全缓冲;标准输入和标准输出流被完全缓冲,当且仅当可以确定该流不引用交互式设备时。” [C99:7.19.3.7]
因此,发生的事情是该实现做了特定于平台的操作,以确定是否stdout要进行行缓冲。在大多数libc实现中,该测试是在首次使用流时完成的。
每个libc都具有如何解释这些要求的自由度,因为C99没有指定“交互设备”是什么,POSIX的stdio条目也没有对此进行扩展(除了要求打开stderr以便读取之外)。
Glibc。参见filedoalloc.c:L111。在这里,我们用于stat()测试fd是否为tty,并相应地设置缓冲模式。(这是从fileops.c中调用的。)stdout最初有一个空缓冲区,并根据fd 1的特性在第一次使用流时分配它。
stat()
BSD库 非常相似,但是要遵循的代码更简洁!请在makebuf.c中查看此行