如何混合boost::bind与C函数指针来实现回调

How to mix boost::bind with C function pointers to implement callbacks

本文关键字:函数 指针 回调 实现 bind 混合 boost 何混合      更新时间:2023-10-16

我试图硬塞进一些boost::bind来代替直接的C函数指针风格的回调成员函数,但是我在做显而易见的事情时会遇到问题。有人能告诉我为什么下面的代码片段似乎不能匹配函数调用的类型?

#include <iostream>
#include <boost/bind.hpp>
using namespace std;
class Foo {
public:
  Foo(const string &prefix) : prefix_(prefix) {}
  void bar(const string &message)
  {
    cout << prefix_ << message << endl;
  }
private:
  const string &prefix_;
};
static void
runit(void (*torun)(const string &message), const string &message)
{
  torun(message);
}
int
main(int argc, const char *argv[])
{
  Foo foo("Hello ");
  runit(boost::bind<void>(&Foo::bar, boost::ref(foo), _1), "World!");
}

bind的结果类型不是函数指针,它是一个函数对象,它碰巧不能隐式转换为函数指针。使用模板:

template<typename ToRunT>
void runit(ToRunT const& torun, std::string const& message)
{
    torun(message);
}

或者使用boost::function<>:

static void runit(boost::function<void(std::string const&)> const& torun,
                  std::string const& message)
{
    torun(message);
}

不要为runit的第一个参数使用特定的函数指针签名,而是使用模板。例如:

template<typename function_ptr>
void runit(function_ptr torun, const string &message)
{
  torun(message);
}

对于boost::bind对象,可以使用boost::function类型

粘贴你得到的错误可能是有用的;然而,在猜测这可能是由于"World!"是一个字符串字面值(即char[]),而不是std::string。试一试:

runit(boost::bind<void>(&Foo::bar, boost::ref(foo)), std::string("World!"));