关闭它们后重新打开stdout和stdin文件描述符
我正在编写一个函数,给定一个参数,该函数将把stdout重定向到文件或从文件中读取stdin。为此,我关闭与stdout或stdin关联的文件描述符,以便在我打开文件时,它在刚关闭的描述符下打开。这行得通,但是问题是,一旦完成,我就需要将stdout和stdin恢复到它们真正应该的样子。
我可以为stdout做的事情是open(“ / dev / tty”,O_WRONLY);
但是我不确定为什么这样做,更重要的是,我不知道stdin的等效语句。
所以我有,为标准
close(1);if (creat(filePath, O_RDWR) == -1)
{
exit(1);
}
而对于标准输入
close(0);if (open(filePath, O_RDONLY) == -1)
{
exit(1);
}
回答:
您应该使用dup()和dup2()来克隆文件描述符。
int stdin_copy = dup(0);int stdout_copy = dup(1);
close(0);
close(1);
int file1 = open(...);
int file2 = open(...);
< do your work. file1 and file2 must be 0 and 1, because open always returns lowest unused fd >
close(file1);
close(file2);
dup2(stdin_copy, 0);
dup2(stdout_copy, 1);
close(stdin_copy);
close(stdout_copy);
但是,您可能要小心一点细节(来自man dup):
这两个描述符不共享文件描述符标志(close-on-execflag)。重复描述符的执行关闭标志(FD_CLOEXEC;请参阅fcntl(2))关闭。
如果这是一个问题,则可能必须还原close-on-exec标志,可能使用dup3()而不是dup2()以避免竞争情况。
另外,请注意,如果您的程序是多线程的,则其他线程可能会意外地向重新映射的stdin / stdout写入/读取。
以上是 关闭它们后重新打开stdout和stdin文件描述符 的全部内容, 来源链接: utcz.com/qa/416220.html