我正在尝试编写自己的委托系统来替代 boost::functions,因为后者做了很多我认为有问题的堆分配。
我已经将其编写为替代(简化,实际使用池化内存和放置新的,但这很简单,可以重现错误):
template<class A, class B>
struct DelegateFunctor : public MyFunctor {
DelegateFunctor(void (*fptr)(A, B), A arg1, B arg2) : fp(fptr), a1(arg1), a2(arg2) {}
virtual void operator()() { fp(a1, a2); }
void (*fp)(A, B); // Stores the function pointer.
const A a1; const B a2; // Stores the arguments.
};
这个辅助函数:
template<class A, class B>
MyFunctor* makeFunctor(void (*f)(A,B), A arg1, B arg2) {
return new DelegateFunctor<A,B>(f, arg1, arg2);
}
奇怪的事情发生在这里:
void bar1(int a, int b) {
// do something
}
void bar2(int& a, const int& b) {
// do domething
}
int main() {
int a = 0;
int b = 1;
// A: Desired syntax and compiles.
MyFunctor* df1 = makeFunctor(&bar1, 1, 2);
// B: Desired syntax but does not compile:
MyFunctor* df2 = makeFunctor(&bar2, a, b);
// C: Not even this:
MyFunctor* df3 = makeFunctor(&bar2, (int&)a, (const int&)b);
// D: Compiles but I have to specify the whole damn thing:
MyFunctor* df4 = makeFunctor<int&, const int&>(&bar2, a, b);
}
我得到的版本 C(B 类似)的编译器错误是:
error: no matching function for call to ‘makeFunctor(void (*)(int&, const int&), int&, const int&)’
这很奇怪,因为编译器在其错误消息中实际上正确推断了类型。
有什么方法可以让我编译 B 版吗?boost::bind 如何绕过这个限制?
我正在使用 GCC 4.2.1。请不要使用 C++11 解决方案。