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ますか? どのような状況で役立つのdupか、よくわかりません。dup2

書き込みと読み取りは、関数write()read()関数を使用して行われます。

プロセス間で通信するには、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 に答える