3

我正在努力使用同步客户端代码接收数据,该同步客户端代码使用带有 Boost.Asio 的数据报 Unix 套接字。

服务器似乎工作正常,因为如果我用netcat连接到它,我会收到数据。但是,当尝试使用下面的代码时,它会卡在 receive_from() 中。strace显示调用了 receive_from() 系统调用但没有收到任何内容,而服务器上的strace显示正在尝试向客户端发送数据但它没有这样做。

boost::asio::io_service io_service;

boost::asio::local::datagram_protocol::socket socket(io_service);
socket.open();

cmd::cmd cmd;
cmd.type = cmd::cmdtype::request;
cmd.id = cmd::cmdid::dumptop;

boost::asio::local::datagram_protocol::endpoint receiver_endpoint("socket.unix");

/* The server receives this data successfully */
socket.send_to(
    boost::asio::buffer(reinterpret_cast<char*>(&cmd), 
    sizeof(cmd)),
    receiver_endpoint
);

boost::array<char, 128> recv_buf;
boost::asio::local::datagram_protocol::endpoint ep;

/* When the server sends data, nothing is received here.
   Maybe it's an issue with the endpoint??? */
size_t len = socket.receive_from(
    boost::asio::buffer(recv_buf), ep);
4

1 回答 1

1

问题是您只设置了发送端。

要通过同一个套接字接收,您需要绑定到文件名,就像在服务器端一样。这是代码最后几行的修改版本:

boost::array<char, 128> recv_buf;
boost::asio::local::datagram_protocol::endpoint ep("socket.unix.client");
// bind to the previously created and opened socket:
socket.bind(ep);

/* now get data from the server */
size_t len = socket.receive_from(
    boost::asio::buffer(recv_buf), ep);

通常的习惯用法是服务器具有众所周知的文件名(socket.unix在您的代码中),并且每个通信客户端通过执行诸如附加自己的 pid 之类的操作来创建自己的唯一名称。此示例只是socket.unix.client为了简单起见,但当然这会将您限制为只有一个客户端,直到您更改它。

于 2014-01-25T22:53:25.780 回答