不能在非Boost版本的Asio中使用asio :: placeholders :: error

时间:2015-02-12 19:40:33

标签: c++ c++11 boost boost-asio

我正在尝试在项目中使用非Boost版本的Asio。我正在给stream_protocol::acceptor::async_accept写回调。签名需要传递asio::placeholders::error,但是当我这样做时,我收到以下错误:

error: no member named 'error' in namespace 'asio::placeholders'

在源代码之后,我可以看到错误,但类型为undefined,这对我来说是新的。我错过了什么吗?我应该对库进行某种预处理吗?

1 个答案:

答案 0 :(得分:15)

简而言之,请使用std::placeholders::_1代替asio::placeholders:error


Asio仅在使用Boost.Bind时支持方便的占位符变量。 error占位符documentation声明:

  

参数占位符,用于 boost::bind() ,...

使用std::bind()创建处理程序时,需要使用std::bind的占位符。 async_accept()操作接受符合AcceptHandler类型要求的处理程序:

  

接受处理程序必须满足处理程序的要求。接受处理程序类的值h应该在表达式h(ec)中正常工作,其中ecconst error_code类型的左值。

创建一个std::bind()的仿函数作为AcceptHandler时,如果希望获得error_code参数,则使用std::placeholders::_1

void handle_accept(const std::error_code&);

acceptor.async_accept(server_socket, std::bind(&handle_accept,
  std::placeholders::_1 /* error_code */));

以下是使用std::bind()的完整最小示例demonstrating。请注意,coliru似乎没有可用的Asio独立版本,但该示例应该足够了:

#include <iostream>
#include <functional>

#include <boost/asio.hpp>

void handle_accept(const boost::system::error_code& error_code)
{
  std::cout << "handle_accept: " << error_code.message() << std::endl;
}

void noop() {}

int main()
{
  using boost::asio::ip::tcp;
  boost::asio::io_service io_service;

  // Create all I/O objects.
  tcp::acceptor acceptor(io_service, tcp::endpoint(tcp::v4(), 0));
  tcp::socket server_socket(io_service);
  tcp::socket client_socket(io_service);

  // Connect client and server sockets.
  acceptor.async_accept(server_socket, std::bind(&handle_accept,
    std::placeholders::_1 /* error_code */));
  client_socket.async_connect(acceptor.local_endpoint(), std::bind(&noop));
  io_service.run();
}

输出:

handle_accept: Success

可选地,如果希望更详细一些,则可以使用命名占位符:

namespace asio_placeholders
{
  auto error = std::placeholders::_1;
}

// ...

acceptor.async_accept(server_socket, std::bind(&handle_accept,
  asio_placeholders::error));

源代码中观察到的unspecified类型仅在生成文档时使用,如code所示:

#if defined(GENERATING_DOCUMENTATION)

/// An argument placeholder, for use with boost::bind(), that corresponds to
/// the error argument of a handler for any of the asynchronous functions.
unspecified error;

// ...

#elseif