我有这样的事情:
pipe
close(pipe[0]);
parent writes something to pipe
close(pipe[1]);
fork();
if(child)
{
close(pipe[1]);
child reads from pipe
close(pipe[0]);
child does some operations
child writes to pipe
close(pipe[1]);
}
else
{
back to parent
close(pipe[0]);
wait(&code);
parent tries to read what the terminated child just wrote but fails to do so
}
我不确定我该怎样做才能让父母从终止的孩子那里读书。我需要使用dup
吗?我不太确定dup
或dup2
在哪些情况下有用。
使用write()
和read()
函数完成书写和阅读。
我必须使用管道而不是fifo或其他方法在进程之间进行通信。
答案 0 :(得分:1)
我认为fifo
符合您的需要,我认为您也不需要使用dup
。这是一个有效的代码:
#include <fcntl.h>
int main()
{
int e=open("fif",O_RDONLY|O_NONBLOCK);
if(fork()==0)
{
int d=open("fif",O_WRONLY);
write(d,"hi there\n",9);
close(d);
//sleep(5);
exit(0);
}
wait();
char buf[15];
int n=read(e,buf,15);
buf[n]=0;
printf("%s", buf);
//wait();
return 0;
}
答案 1 :(得分:1)
来自this article的示例说:
#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
main()
{
int fd[2];
pid_t childpid;
pipe(fd);
if((childpid = fork()) == -1)
{
perror("fork");
exit(1);
}
if(childpid == 0)
{
/* Child process closes up input side of pipe */
close(fd[0]);
}
else
{
/* Parent process closes up output side of pipe */
close(fd[1]);
}
.
.
}
IIRC就是这样做的。关键是关闭父子进程中未使用的fd。