<unresolved overloaded =“”function =“”type =“”>尝试将聚合对象的方法传递给其类方法</unresolved>

时间:2011-08-10 17:46:47

标签: c++ function pointers call aggregation

我在编译代码时遇到了一些问题。 我有以下结构:

#include <cstdlib>

using namespace std;

typedef double (*FuncType)(int );

class AnotherClass {
   public:
          AnotherClass() {};       
   double funcAnother(int i) {return i*1.0;}
};

class MyClass {
public:
         MyClass(AnotherClass & obj) { obj_ = &obj;};
    void compute(FuncType foo);
    void run();

    protected:
      AnotherClass * obj_;   /*pointer to obj. of another class */   
};

void MyClass::compute(FuncType foo) 
{
    int a=1;
    double b;
    b= foo(a);    
}

void MyClass::run()
{
     compute(obj_->funcAnother);
}

/*
 * 
 */
int main(int argc, char** argv) {
    AnotherClass a;
    MyClass b(a);
    b.run();    

    return 0;
}

当我尝试编译它时,它给出了:

main.cpp:39:31: error: no matching function for call to ‘MyClass::compute(<unresolved overloaded function type>)’
main.cpp:30:6: note: candidate is: void MyClass::compute(double (*)(int))

这里有什么问题?

p / s / AnotherClass * obj_;应该保持这样,因为我将一些函数写入大型库并且无法更改它。

--------------本杰明的工作版-------

#include <cstdlib>

using namespace std;


class AnotherClass {
   public:
          AnotherClass() {};       
   double funcAnother(int i) {return i*1.0;}
};


struct Foo
{

    /*constructor*/
    Foo(AnotherClass & a) : a_(a) {};

    double operator()(int i) const
    {
        return a_.funcAnother(i);
    }          

    AnotherClass & a_;               
};


class MyClass {
public:
         MyClass(AnotherClass & obj) { obj_ = &obj;};

    template<typename FuncType>     
    void compute(FuncType foo);
    void run();

   protected:
      AnotherClass * obj_;   /*pointer to obj. of another class */   
};

template<typename FuncType>
void MyClass::compute(FuncType foo) 
{
    int a=1;
    double b;
    b= foo(a);    
}

void MyClass::run()
{
    Foo f(*obj_);
    compute(f);
}

/*
 * 
 */
int main(int argc, char** argv) {
    AnotherClass a;
    MyClass b(a);
    b.run();    

    return 0;
}

非常感谢大家的帮助!

2 个答案:

答案 0 :(得分:3)

从那以后,

funcAnother(int i);

是一个成员函数,它传递一个隐式this,然后原型与函数指针的类型不匹配。

指向成员函数的指针的typedef应为:

typedef double (AnotherClass::*funcPtr)(int);

Here 是代码的经过修改的可编译版本。请检查内联注释以了解更改,另外我省略了其他详细信息,您可以添加它。

答案 1 :(得分:1)

以下函数类将匹配FuncType的签名:

struct Foo
{
    AnotherClass & a_;
    Foo(AnotherClass & a) a_(a) {}

    double operator()(int i) const
    {
        return a_.funcAnother(i);
    }
};

将MyClass :: compute更改为模板,因此:

template<typename FuncType>
void MyClass::compute(FuncType foo) 
{
    int a=1;
    foo(a);
}

然后你可以这样调用run:

void MyClass::run()
{
    compute(Foo(*obj_));
}

如果您的编译器支持lambda(并且它很有可能),那么您可以放弃函数类并简单地定义如下的运行:

void MyClass::run()
{
    auto f = [this](int i) {
        return obj_->funcAnother(i);
    };

    compute(f);
}