死锁linux管道

时间:2013-06-10 11:31:36

标签: c linux unix linux-kernel pipe

我想了解Linux管道是如何工作的!我写了一个小而简单的程序,它使用管道在父进程和子进程之间传递字符串。但是,该程序导致死锁,我不明白它的原因是什么。

以下是代码:

#include <sys/wait.h>
#include <assert.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>

#define SIZE 100  

int
main(int argc, char *argv[])
{
    int pfd[2];
    int read_pipe=0, write_pipe=0; 
    pid_t cpid;
    char buf[SIZE]; 

    /* PIPE ***************************************
     * pipe() creates a pair of file descriptors, *
     * pointing to a pipe inode, and places them  *
     * in the array pointed to by filedes.    *
     * filedes[0] is for reading,         *
     * filedes[1] is for writing          *
     **********************************************/

    if (pipe(pfd) == -1) { 
        perror("pipe"); 
        exit(EXIT_FAILURE);
    }

    read_pipe=pfd[0]; 
    write_pipe=pfd[1]; 

    cpid = fork();
    if (cpid == -1) { 
        perror("fork"); 
        exit(EXIT_FAILURE);
    }


    if (cpid == 0) {    /* Child reads from pipe */

    char * hello = "I am a child process\n"; 
    sleep(1);  
    // wait until there is some data in the pipe
        while (read(read_pipe, buf, SIZE) > 0);
    printf("Parent process has written : %s\n", buf);
    write(write_pipe, hello, strlen(hello)); 
    close(write_pipe);
    close(read_pipe);
        _exit(EXIT_SUCCESS);
    } else {                /* Parent writes argv[1] to pipe */

    char * hello = "I am a parent process\n";
    write(write_pipe, hello, strlen(hello));
    while (read(read_pipe, buf, SIZE) > 0); 
printf("Child process has written : %s\n", buf);

    close(write_pipe);       
    close(read_pipe);

    wait(NULL);             /* Wait for child */
    exit(EXIT_SUCCESS);
    }
}

2 个答案:

答案 0 :(得分:7)

在这个link中,您将找到父母和孩子之间正确的PIPE操纵。您的问题是通信未正确设置。

PIPE应该用于仅在一个方向上进行通信,因此一个进程必须关闭读取描述符而另一个进程必须关闭写入描述符。否则会发生的事情是调用'read'(父亲和儿子),因为它可以检测到PIPE上有另一个带有开放写入描述符的进程,当它发现PIPE为空时将阻塞(不归0),直到有人在里面写东西。所以,你父亲和你的儿子在各自的阅读中都被封锁了。

有两种解决方案:

。您创建了两个PIPE,一个用于每个方向的通信,并按照上面的链接中的说明执行初始化。在这里你必须记住在完成发送消息后关闭写描述符,这样另一个进程'read将返回,或者将循环调整为读取的字节数(不是返回读取),所以你赢了'当您阅读整个消息时,执行另一个呼叫。例如:

int bread = 0;
while(bread < desired_count)
{
   bread += read(read_pipe, buf + bread, SIZE - bread);
}

。你可以像你一样创建一个PIPE,并修改读取描述符上的标志,使用fcntl也有O_NONBLOCK,因此当PIPE中没有信息时,read不会阻塞。在这里,您需要检查读取的返回值以了解您收到的内容,然后加起来直到您获得完整的消息长度。此外,您将找到一种方法来同步这两个进程,以便它们不会读取不适合它们的消息。我不建议您使用此选项,但如果您想使用条件变量,则可以尝试使用此选项。

答案 1 :(得分:0)

也许您可以判断是否看到了任何printf()输出? 无论如何,如果你想在你的孩子和孩子之间建立双向沟通,你应该使用两个管道,一个用于将数据从父级写入子级,另一个用于从子级写入父级。此外,您的读取循环可能是危险的:如果数据有两个或更多块,则第二个read()会覆盖第一个部分(我从未见过使用本地管道,但是例如使用套接字)。当然,在read()之后你不会自动空终止,所以只用“%s”打印int也可能会导致问题。 我希望能为你提供一些尝试。