C使用select()从两个命名管道(FIFO)读取

时间:2015-02-14 19:01:51

标签: c select fifo

我目前正在尝试用C语言编写一个程序,该程序将从两个命名管道读取并在stdout可用时将任何数据打印出来。

例如:如果我打开其中一个终端中的两个终端和./execute pipe1 pipe2(管道1和管道2是有效的命名管道)然后键入echo "Data here." > pipe1那么管道的名称(这里是pipe1),大小和数据应打印到stdout--这里看起来像pipe1 [25]: Data here.

我知道我需要打开带有O_RDONLYO_NONBLOCK标志的管道。我查看了许多使用select()的人的例子(在这个论坛上有很多),我仍然不明白传递给select()的不同参数是做什么的。如果有人可以在这里提供指导,那将非常有帮助。下面是我到目前为止的代码。

 int pipeRouter(char[] fifo1, char[] fifo2){
    fileDescriptor1 = open(fifo1, O_RDONLY, O_NONBLOCK);
    fileDescriptor2 = open(fifo2, O_RDONLY, O_NONBLOCK);

    if(fileDescriptor1 < 0){
        printf("%s does not exist", fifo1);
    }
    if(fileDescriptor2 < 0){
        printf("%s does not exist", fifo2);
    }
}

1 个答案:

答案 0 :(得分:9)

select可让您等待i / o事件,而不是在read上等待CPU周期。

因此,在您的示例中,主循环可能如下所示:

for (;;)
{
  int res;
  char buf[256];

  res = read(fileDescriptor1, buf, sizeof(buf));
  if (res > 0)
  {
      printf("Read %d bytes from channel1\n", res);
  }
  res = read(fileDescriptor2, buf, sizeof(buf));
  if (res > 0)
  {
      printf("Read %d bytes from channel2\n", res);
  }
}

如果您添加代码并运行它,您会注意到:

  • 程序实际上做了你想要的 - 它从两个管道中读取。
  • 一个内核的CPU利用率为100%,即使没有数据需要读取,程序也会浪费CPU。

要解决问题,我们会介绍selectpoll API。对于select,我们需要知道描述符(我们这样做),以及它们的最大值。

所以让我们稍微修改一下代码:

 for (;;)
 {
    fd_set fds;
    int maxfd;

    FD_ZERO(&fds); // Clear FD set for select
    FD_SET(fileDescriptor1, &fds);
    FD_SET(fileDescriptor2, &fds);

    maxfd = fileDescriptor1 > fileDescriptor2 ? fileDescriptor1 : fileDescriptor2;

    select(maxfd + 1, &fds, NULL, NULL, NULL);
    // The minimum information for select: we are asking only about
    // read operations, ignoring write and error ones; and not
    // defining any time restrictions on wait.


   // do reads as in previous example here
 }

当运行改进的代码时,CPU不会浪费太多,但你会注意到,即使没有特定管道的数据,也会执行read操作,但还有另一个。

要检查实际拥有数据的管道,请在FD_ISSET致电后使用select

if (FD_ISSET(fileDescriptor1, &fds))
{
   // We can read from fileDescriptor1
}
if (FD_ISSET(fileDescriptor2, &fds))
{
   // We can read from fileDescriptor2
}

因此,在加入上述内容后,代码将如下所示:

for (;;)
{
  fd_set fds;
  int maxfd;
  int res;
  char buf[256];

  FD_ZERO(&fds); // Clear FD set for select
  FD_SET(fileDescriptor1, &fds);
  FD_SET(fileDescriptor2, &fds);

  maxfd = fileDescriptor1 > fileDescriptor2 ? fileDescriptor1 : fileDescriptor2;

  select(maxfd + 1, &fds, NULL, NULL, NULL);


  if (FD_ISSET(fileDescriptor1, &fds))
  {
     // We can read from fileDescriptor1
     res = read(fileDescriptor1, buf, sizeof(buf));
     if (res > 0)
     {
        printf("Read %d bytes from channel1\n", res);
     }
  }
  if (FD_ISSET(fileDescriptor2, &fds))
  {
     // We can read from fileDescriptor2
    res = read(fileDescriptor2, buf, sizeof(buf));
    if (res > 0)
    {
        printf("Read %d bytes from channel2\n", res);
    }
  }
}

因此,添加错误处理,您将被设置。