2

我正在尝试捕获一个函数指针以传递给一个仿函数,但我不明白为什么我不能。

函子类:

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;

4

2 回答 2

2

我不是 100% 确定你试图从你的代码中做什么,但是两个 C++ 特性比函数指针更容易使用std::function,这里是一个从站点 std::mem_fn使用的例子。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一点:

std::function<long(const long,const char*)> t_callback = something;

于 2013-08-13T04:07:11.557 回答
2

您不能将带有签名的函数分配给unsigned long Func (const long, const char *)类型变量,long (C::*)(const long, const char *)因为

  1. 一个返回unsigned long,另一个返回long
  2. 一个是指向成员的指针,另一个是非成员“自由”函数的名称。

如果您只想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指针附加到它,然后围绕它创建一个间接调用包装器,这在this.

funky( 3, "hello" );

要避免间接调用,请使用autoto 避免声明 a std::function。您将获得一次性类型的对象。(您不能为其分配其他功能。)

auto funky = std::bind( &MyClass::Func, this );
于 2013-08-13T05:38:07.117 回答