我正在尝试捕获一个函数指针,指向一个仿函数,我不明白为什么我不能。
Functor Class:
template <class C>
class MyFunctor : public BaseFunctor {
public:
typedef long (C::*t_callback)(const long, const char *);
MyFunctor (void) : BaseFunctor(), obj(NULL), callback(NULL) {}
virtual long operator() (const long a, const char *b) {
if ( obj && callback ) {
(obj->*callback)(a,b);
}
}
C *obj;
t_callback callback;
};
代码中的其他地方:
功能签名为long C::Func (const long, const char *)
MyFunctor funky;
funky.obj = this;
funky.callback = Func;
然后我收到错误:
... function call missing argument list; ...
为什么这不起作用?
编辑:在完成以下建议时,我遇到了一个简单的解决方案,可以让我的特定实施工作。
funky.callback = &C::Func;
答案 0 :(得分:2)
我不是100%确定你在代码中尝试做什么,但是两个比函数指针更容易使用的C ++特性是std::function
和std::mem_fn
这里是使用{{{}的示例1}}来自网站。
std::function
这是代码中的函数指针:
#include <functional>
#include <iostream>
struct Foo {
Foo(int num) : num_(num) {}
void print_add(int i) const { std::cout << num_+i << '\n'; }
int num_;
};
void print_num(int i)
{
std::cout << i << '\n';
}
struct PrintNum {
void operator()(int i) const
{
std::cout << i << '\n';
}
};
int main()
{
// store a free function
std::function<void(int)> f_display = print_num;
f_display(-9);
// store a lambda
std::function<void()> f_display_42 = []() { print_num(42); };
f_display_42();
// store the result of a call to std::bind
std::function<void()> f_display_31337 = std::bind(print_num, 31337);
f_display_31337();
// store a call to a member function
std::function<void(const Foo&, int)> f_add_display = &Foo::print_add;
Foo foo(314159);
f_add_display(foo, 1);
// store a call to a function object
std::function<void(int)> f_display_obj = PrintNum();
f_display_obj(18);
}
要使其成为typedef long (C::*t_callback)(const long, const char *);
:
std::funciton
;
答案 1 :(得分:2)
您无法将带有签名unsigned long Func (const long, const char *)
的函数分配给long (C::*)(const long, const char *)
类型的变量,因为
unsigned long
,另一个返回long
。如果您希望在没有Func
对象的情况下简单地调用C
,则需要从C::
中删除t_callback
。如果Func
实际上是一个成员函数,并且您的签名没有忠实地复制到问题中(不解释代码!! ),则必须在形成时使用::
运算符指向成员的指针值,如&ThisClass::Func
。
您看到的特殊错误是由于对名称执行了重载决策。编译器看到你有这个名字的东西,但它报告说在给定的表达式中没有任何具有该名称的东西(可能有很多)。
正如其他人所提到的,这不是你应该在项目中实际使用的东西。这种功能由std::function
和std::bind
涵盖,即使在使用标准化TR1库的C ++ 03中也可以使用,因此最好自己动手做这个功能。
无需编写任何自定义代码,您可以执行
std::function< long( long, char * ) > funky = std::bind( &MyClass::Func, this );
这将获得Func
方法的指向成员的指针,将当前this
指针附加到它,然后在其周围创建一个间接调用包装器,该包装器的有效期为{ {1}}。
this
要避免间接通话,请使用funky( 3, "hello" );
以避免声明auto
。您将获得一次性类型的对象。 (你不能为它分配另一个功能。)
std::function