4
m_io_service.post(boost::ref(i));

我在一段代码中有这个调用,底层类型i绝对是可调用的(因为删除 boost::ref 会导致按值传递,这很好用),但是 clang 告诉我:

/opt/dev_64_swat/proto-rpc2/dependencies/boost/include/boost/asio/handler_invoke_hook.hpp:64:3: error: type 'boost::reference_wrapper<rubble::rpc::TcpFrontEndConnectionInvoker>' does not provide a call operator

我如何通过引用传递,我有比异步调用更长寿的对象,如果我可以通过引用传递它们,它们会更优雅(更少 boost::shared_ptr<..> 的成员)。

- 编辑 -

我已经浏览了 asio 的示例目录,并且boost::ref没有针对完成处理程序进行演示。所以我想我在这里不走运。处理程序没有接受 ref 的版本是否有原因?

-- 编辑 2:我看起来像什么(除非您对实现持怀疑态度,否则不要费心看这个)。--

namespace rubble { namespace rpc {
  struct InProcessInvoker : public InvokerBase
  {
    struct notification_object_
    {
      typedef notification_object_ * ptr;

      notification_object_()
      {
        reset();
      }
      void reset()
      {
        ready = false;
      }
      bool ready;
      boost::mutex mutex;
      boost::condition_variable cond;
    };

    InProcessInvoker(BackEnd & b_in)
      : b(b_in),
        notification_object(new notification_object_())
    {
      b.connect(m_client_data);
    }

    ~InProcessInvoker()
    {
      if( m_client_data.unique() )
      {
        b.disconect(m_client_data);
        delete notification_object;
      }
    }

    bool is_useable()
    {
      return b.is_useable();
    }

    void reset()
    {
      notification_object->reset();
      m_client_data->request().Clear();
      m_client_data->response().Clear();
      m_client_data->error_code().clear();
      BOOST_ASSERT_MSG( m_client_data->is_rpc_active() == false,
        "THE FLAG THAT REPRESENTS ACTIVE "
        "RPC SHOULD NOT BE SET WHEN RESETING AN OBJECT FOR RPC");
    }

    void invoke()
    {
      b.invoke(*this);
    }

    void operator() ()
    {
      service->dispatch(*client_cookie,*m_client_data);
      b.end_rpc(m_client_data.get());

      boost::lock_guard<boost::mutex> lock(notification_object->mutex);
      notification_object->ready=true;
      notification_object->cond.notify_one();
    }

    void after_post()
    {
      boost::unique_lock<boost::mutex> lock(notification_object->mutex);
      if(!notification_object->ready)
        notification_object->cond.wait(lock);
    }

    notification_object_::ptr notification_object;
    BackEnd & b;
  };

} }
4

2 回答 2

6

boost::ref不提供operator(). 因此,返回不能直接用作回调。有2个选项:

  1. C++03:boost::bind用于包装 ref,它会做你想做的事

    m_io_service.post(boost::bind<ReturnType>(boost::ref(i)))

    请注意,您必须指定返回类型,除非原始仿函数i具有 typedefresult_type

  2. C++11:使用std::ref,它确实提供了一个 operator() 传递到包含的引用

    m_io_service.post(std::ref(i))

于 2011-09-02T12:00:30.713 回答
2

似乎boost::ref不适合这种用途。boost::ref提供包装器,因此值得怀疑的是,通过 value 或 by 传递更有效,boost::ref主要取决于您的可调用对象复制构造函数。作为一种解决方法,您可以使用boost::bind

m_io_service.post(boost::bind(&Callable::operator(), &i));
于 2011-09-02T11:59:39.487 回答