0

我正在使用 boost::function 这样的:

template<class T1>
void run(boost::function<void (T1)> func, string arg)
{
    T1 p1 = parse<T1>(arg);
    func(p1);
}

像这样使用时,一切正常:

void test1(int i)
{
    cout << "test1 i=" << i << endl;
}

...

boost::function<void (int)> f = &test1;
run(f, "42");

我希望能够直接传递原始函数指针,所以我重载了 run() 函数,如下所示:

template<class T1>
void run(void (*func)(T1), string arg)
{
    T1 p1 = parse<T1>(arg);
    (*func)(p1);
}

...

run(&test1, "42"); // this is OK now

现在,我希望能够将 boost::bind 的结果传递给 run() 函数。像这样:

void test2(int i, string s)
{
    cout << "test2 i=" << i << " s=" << s << endl;
}

...

run(boost::bind(&test2, _1, "test"), "42"); // Edit: Added missing parameter 42

但这不会编译:已编辑

bind.cpp: In function ‘int main()’:
bind.cpp:33:59: error: no matching function for call to ‘run(boost::_bi::bind_t<void, void (*)(int, std::basic_string<char>), boost::_bi::list2<boost::arg<1>, boost::_bi::value<std::basic_string<char> > > >, std::string)’
bind.cpp:33:59: note: candidates are:
bind.cpp:7:6: note: template<class T1> void run(boost::function<void(T1)>, std::string)
bind.cpp:14:6: note: template<class T1> void run(void (*)(T1), std::string)

我应该如何重载 run() 以接受 boost::bind()?

编辑 2

我知道我可以这样做:

boost::function<void (int)> f = boost::bind(&test2, _1, string("test"));
run(f, "42");

但我希望用法不那么冗长。

编辑 3

将 run() 原型从run(boost::function<void (T1)>, T1)更改run(boost::function<void (T1)>, string)为详细说明实际用例。参考。伊戈尔 R. 的回答

整个源文件可以在这里获取

4

1 回答 1

1

function的结果类型和结果类型都不能bind转换为函数指针,因此您不能将它们传递给run具有当前签名的函数。

但是,您可以更改run签名以允许它接受任何可调用的:

template<class F, class A1>
void run(F f, A1 arg)
{
  f(arg);
}

现在您可以传递指针函数、活页夹boost::function或任何您希望的可调用对象——只要它需要 1 个参数。(但是请注意,使用这个简单的签名run不会无缝地将参数转发到。)f

于 2013-04-09T07:32:04.687 回答