我正在尝试模拟Ubuntu终端上的管道行为,例如命令:
“echo hello | wc”。
请假设我从stdin获得了令牌,正确处理了所有内容现在这些是我从shell中输入的“我收到”的命令,供我处理。
我正在尝试创建两个进程。使用管道,在第一个过程中,我将管道写边的文件描述符指向stdout。第二个进程应该读入带有execvp(..)返回的管道读边的stdin
这是我写的代码:
#include <stdio.h>
#include <stdlib.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <string.h>
#include <sys/types.h>
#include <sys/stat.h>
int main()
{
char* fcmd[] = {"echo", "hello", NULL};
char* scmd[] = {"wc", NULL};
pid_t pid;
int pipe_des[2];
int i;
pipe(pipe_des);
for(i = 0; i < 2; i++)
{
pid = fork();
if (pid ==0)
{
switch (i)
{
case 0: // FIRST CHILD
{
dup2(pipe_des[1], STDOUT_FILENO);
close(pipe_des[0]);
execvp(fcmd[0], fcmd);
exit(0);
}
case 1: //SECOND CHILD
{
dup2(pipe_des[0], STDIN_FILENO);
close(pipe_des[1]);
execvp(scmd[0], scmd);
exit(0);
}
}
}
else if (pid < 0)
exit(EXIT_FAILURE);
return EXIT_SUCCESS;
}
我得到:“amirla@ubuntu:~/Desktop/os/class/ex4$ 1 1 6
”
喜欢它应该,但为什么他先打印bash cwd?根据我使用echo命令发送的单词的长度(在main()中),管道似乎可以工作,因为我得到了我应该得到的东西。之后,光标只是在下面的行上等待另一个命令而没有向我显示bash pwd。 (也许stdin正在等待?)
我在这里以及其他网站上看过很多帖子,但我似乎无法找到问题的解决方案。任何帮助,将不胜感激。提前致谢。
注意:请忽略检查错误,我删除它们以使代码更短,因此假设它们存在。
答案 0 :(得分:1)
为什么我在输出前得到提示?
您的主要流程并不等待孩子们完成。你看到的是:
为防止这种情况,您需要等待孩子。见How to wait until all child processes called by fork() complete?
在您的情况下,它足以添加
waitpid(-1, NULL, 0);
循环后。