0

我想知道:

关闭时,将为管道的文件描述符设置pipe什么状态?poll

我尝试下面的代码,在子进程关闭所有文件描述符后,轮询只是认为所有文件描述符都可以读取!那正确吗?或者只是我在这段代码中犯了一些错误?

我使用 SUSE 和 gcc 。

#include <stdio.h>
#include <unistd.h>
#include "../../../myInclude/apue.h"// this is ok

#include <sys/poll.h>

int main(int argc, char **argv)
{
    int fd1[2]; int fd2[2]; int fd3[2];
    pid_t pid;
    if(pipe(fd1)<0 ||pipe(fd2)<0 ||pipe(fd3) <0)
        err_sys("pipe error");//this is a error deal function .it will exit the program and print error message.
    if((pid = fork()) <0)
        err_sys("fork() error");
    else if(pid == 0)
    {
        close(fd1[0]);
        close(fd2[0]);
        close(fd3[0]);

        if(write(fd1[1],"hello fd1 write!",17)!= 17)
            err_sys("write 1error ");
        sleep(2);
        if(write(fd2[1],"hello fd2 write!",17)!=17)
            err_sys("write 2error");
        sleep(2);
        if(write(fd3[1],"hello fd3 write!",17)!= 17)
            err_sys("write 3error");
        sleep(2);
        close(fd1[1]);
        close(fd2[1]);
        close(fd3[1]);
    }
    else
    {
        close(fd1[1]);
        close(fd2[1]);
        close(fd3[1]);
        struct pollfd fd[3];
        fd[0].fd = fd1[0];
        fd[1].fd = fd2[0];
        fd[2].fd = fd3[0];
        fd[0].events = POLLIN;
        fd[1].events = POLLIN;
        fd[2].events = POLLIN;
        while(poll(fd,3,3000) >0)
        {
            printf("now I come \n");
            int i = 0,n;
            char line[MAXLINE];
            for(; i< 3; i++)
            {
                if(fd[i].revents = POLLIN)
                        if ((n =read(fd[i].fd,line,MAXLINE))< 0)
                            err_sys("read error : %d",i);
                        else
                        {
                            line[n] = 0;
                            printf("read from pipe %d : %s\n",i,line);
                        }
            }
        }
        close(fd1[0]);
        close(fd2[0]);
        close(fd3[0]);
    }

    return 0;
}

我认为在子进程关闭所有写入文件描述符后,轮询将设置revents POLLHUP。但它只是设置它POLLIN

我正在看书。我知道这是一本旧书。所以我想知道 poll 现在是如何工作的?是否将POLLIN设置为关闭管道?还是仅仅因为 Linux?还是我的代码错了?

4

2 回答 2

4

您应该始终使用该选项编译您的程序-Wall(至少)。那会告诉你这个问题:

if(fd[i].revents = POLLIN)

条件将始终为真,因为这是一个赋值,而不是比较,并且POLLIN不为零。以下内容也不正确,尽管更好:

if(fd[i].revents == POLLIN)

POLLIN如果是 中设置的唯一标志,那将是真的revents。也许这就是您认为要检查的内容,但正常的测试是:

if(fd[i].revents & POLLIN)

这将检查该POLLIN位是否已设置,表明 aread不会阻塞。

读取失败后可以检测到错误情况,因此实际上不需要检查是否POLLHUP设置了,例如。在输入套接字上进行测试不是一个好主意,POLLHUP因为即使有数据可供读取,也可能会设置标志,并且通常需要读取数据。

于 2013-08-18T17:00:18.820 回答
2

当管道的写端关闭时,读端对select()and会显得“可读” poll()——这是因为 aread()不会阻塞。

当您调用read()时,返回值将为零,表示文件结束。

于 2013-08-18T14:31:41.150 回答