0

我有这样的事情:

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吗?我不太确定在什么情况下dupdup2有用。

写和读是使用write()andread()函数完成的。

我必须使用管道而不是 fifo 或其他方式在进程之间进行通信。

4

2 回答 2

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;
}
于 2013-10-18T16:11:19.610 回答
1

本文中的一个示例说:

    #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。

于 2013-10-18T16:30:31.627 回答