我在编写此处记录的函数中的第3个参数时遇到问题: http://www.boost.org/doc/libs/1_39_0/doc/html/boost_asio/reference/async_read_until/overload4.html 我希望能够做的是使用async_read_until的第3个参数的回调来检测完整的块何时到达。我的数据包具有以下格式。
查看文档中的示例代码,我对如何能够提取一个字节感到有点困惑,更不用说从开始和结束迭代器中获取unsigned int了。
我已将我的迭代器实例化为
typedef boost::asio::buffers_iterator<
boost::asio::streambuf::const_buffers_type> iterator;
但即便如此我也不确定是什么类型,因为我不知道const_buffers_type是什么。我按照文档中的一些链接发现它是“实现定义”,但我想我可能是错的。 所以我的两个具体问题是:
谢谢!
答案 0 :(得分:1)
我的消息格式与您的消息格式非常相似(16位有效负载长度,8位数据包ID /类型,其后是有效负载)。我用3阶段读取和一系列函数指针来处理不同的事情。我使用boost :: asio :: async_read一次读取已知量。
这是我的代码的简化版本:
//call this to start reading a packet/message
void startRead(boost::asio::ip::tcp::socket &socket)
{
boost::uint8_t *header = new boost::uint8_t[3];
boost::asio::async_read(socket,boost::asio::buffer(header,3),
boost::bind(&handleReadHeader,&socket,header,
boost::asio::placeholders::bytes_transferred,boost::asio::placeholders::error));
}
void handleReadHeader(boost::asio::ip::tcp::socket *socket,
boost::uint8_t *header, size_t len, const boost::system::error_code& error)
{
if(error)
{
delete[] header;
handleReadError(error);
}
else
{
assert(len == 3);
boost::uint16_t payLoadLen = *((boost::uint16_t*)(header + 0));
boost::uint8_t type = *((boost::uint8_t*) (header + 2));
delete[] header;
//dont bother calling asio again if there is no payload
if(payLoadLen > 0)
{
boost::uint8_t *payLoad = new boost::uint8_t[payLoadLen];
boost::asio::async_read(*socket,boost::asio::buffer(payLoad,payLoadLen),
boost::bind(&handleReadBody,socket,
type,payLoad,payLoadLen,
boost::asio::placeholders::bytes_transferred,boost::asio::placeholders::error));
}
else handleReadBody(socket,type,0,0,0,boost::system::error_code());
}
}
void handleReadBody(ip::tcp::socket *socket,
boost::uint8_t type, boost::uint8_t *payLoad, boost::uint16_t len,
size_t readLen, const boost::system::error_code& error)
{
if(error)
{
delete[] payLoad;
handleReadError(error);
}
else
{
assert(len == readLen);
//passes the packet to the appropriate function for the type
//you could also use a switch statement or whatever
//to get the next packet you must call StartRead again
//personally I choose to do this from the actaul handler
//themselves
handlePacket(type,payLoad,len,error);
}
}
答案 1 :(得分:1)
示例匹配功能在文档中提供。
std::pair<iterator, bool>
match_whitespace(iterator begin, iterator end)
{
iterator i = begin;
while (i != end)
if (std::isspace(*i++))
return std::make_pair(i, true);
return std::make_pair(i, false);
}
在这里解除引用i
,拉出一个字节。你需要提取足够的字节来匹配int。
但请记住,回调不是read_until的唯一选项。实际上它是最复杂的。您确定使用正则表达式是不够的吗?
template<
typename AsyncReadStream,
typename Allocator,
typename ReadHandler>
void async_read_until(
AsyncReadStream & s,
boost::asio::basic_streambuf< Allocator > & b,
const boost::regex & expr,
ReadHandler handler);
无论如何,考虑到你的读取没有被删除,更好的方法是async_read_some,直到你读取大小,然后async_read_some至少读取。