1

我已修改此处找到的示例以使用两个 io 通道。在我写入两个通道之前,似乎没有调用任何回调。之后,在写入 fifos 时会单独调用它们。我是不是忘记了什么?

  • 在一个 shell 窗口中启动测试程序。
  • 在第二个 shell 窗口中写入 echo "abc" > testfifo1。-> 什么也没有发生。
  • 在第三个 shell 窗口中写入 echo "def" > testfifo2。-> 现在我得到“abc”和“def”
  • 写信给其中一个fifo。这立即送达。

编辑:正如下面的 Gormley 所暗示的,解决方案是缺少非阻塞。

read_fd1 = open("testfifo1", O_RDONLY | O_NONBLOCK);
...
read_fd2 = open("testfifo2", O_RDONLY | O_NONBLOCK);

对下面代码的这种更改使其立即响应。

编码:

#include <gtkmm/main.h>
#include <fcntl.h>
#include <iostream>

int read_fd1, read_fd2;
Glib::RefPtr<Glib::IOChannel> iochannel1, iochannel2;

// Usage: "echo "Hello" > testfifo<1|2>", quit with "Q"

bool MyCallback1(Glib::IOCondition io_condition)
{
    Glib::ustring buf;
    iochannel1->read_line(buf);
    std::cout << "io 1: " << buf;

    if (buf == "Q\n")
        Gtk::Main::quit();

    return true;
}

bool MyCallback2(Glib::IOCondition io_condition)
{
    Glib::ustring buf;
    iochannel2->read_line(buf);
    std::cout << "io 2: " << buf;

    if (buf == "Q\n")
        Gtk::Main::quit();

    return true;
}

int main(int argc, char *argv[])
{
    // the usual Gtk::Main object
    Gtk::Main app(argc, argv);

    if (access("testfifo1", F_OK) == -1)
    {
        if (mkfifo("testfifo1", 0666) != 0)
            return -1;
    }

    if (access("testfifo2", F_OK) == -1)
    {
        if (mkfifo("testfifo2", 0666) != 0)
            return -1;
    }

    read_fd1 = open("testfifo1", O_RDONLY);

    if (read_fd1 == -1)
        return -1;

    read_fd2 = open("testfifo2", O_RDONLY);

    if (read_fd2 == -1)
        return -1;

    Glib::signal_io().connect(sigc::ptr_fun(MyCallback1), read_fd1, Glib::IO_IN);
    Glib::signal_io().connect(sigc::ptr_fun(MyCallback2), read_fd2, Glib::IO_IN);

    iochannel1 = Glib::IOChannel::create_from_fd(read_fd1);
    iochannel2 = Glib::IOChannel::create_from_fd(read_fd2);

    app.run();

    if (unlink("testfifo1"))
        std::cerr << "error removing fifo 1" << std::endl;

    if (unlink("testfifo2"))
        std::cerr << "error removing fifo 2" << std::endl;

    return 0;
}
4

1 回答 1

0

这两个语句阻止程序进入主循环,直到两个 fifo 都打开可写。fifos 阻塞,直到双方连接

iochannel1 = Glib::IOChannel::create_from_fd(read_fd1); iochannel2 = Glib::IOChannel::create_from_fd(read_fd2);

于 2009-08-17T18:23:30.280 回答