我正在使用dup2()
,pipe()
和fork()
来处理其他输入的命令。 ls
的输出已正确传递到cat
,并且终端显示输出,但不会停止接收输入。换句话说cat不会终止,所以我可以继续输入。
#include <unistd.h>
#include <fcntl.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <sys/stat.h>
int main() {
int pipefd[2], child_pid, grand_child;
pipe(pipefd);
child_pid = fork();
if (child_pid) {
waitpid(child_pid, NULL, 0);
/* Parent */
grand_child = fork();
if (!grand_child) {
dup2(pipefd[0], STDIN_FILENO);
close(pipefd[0]);
close(pipefd[1]);
execlp("cat", "cat", NULL);
} else {
waitpid(grand_child, NULL, 0);
}
} else {
/* Child */
dup2(pipefd[1], STDOUT_FILENO);
close(pipefd[1]);
close(pipefd[0]);
execlp("ls", "ls", NULL);
}
return 0;
}
最佳答案
父级仍将管道的写端打开。 cat
正在等待父级将其关闭,而父级正在等待cat
终止。在等待孙子之前,应关闭父管道中的管道两侧。
关于c - 与dup2一起使用时exec()不终止,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43646023/