1

我无法获取通过指针访问的函数的指针:

double *d = &(this->c1->...->myFunc();

不起作用,myFunc()被声明为double. 有没有办法做到这一点?

4

2 回答 2

6

如果你的意思是你想要一个指向返回值的指针myFunc,那么你不能:它是一个临时的,将在表达式的末尾被销毁。

如果您需要一个指针,那么您还需要一个非临时值来指向:

double value = this->c1->...->myFunc();
double * d = &value;

或者你是说你想要一个指向函数的指针?这是一种不同的类型double*

// get a member-function pointer like this
double (SomeClass::*d)() = &SomeClass::myFunc;

// call it like this
double value = (this->c1->...->*d)();

或者你是说你想要一些你可以调用的东西,比如一个简单的函数,但绑定到某个对象this->c1->...?该语言不直接支持这一点,但 C++11 具有 lambdas 和bind用于此类事情的函数:

// Bind a function to some arguments like this
auto d = std::bind(&SomeClass::myFunc, this->c1->...);

// Or use a lambda to capture the object to call the member function on
auto d = [](){return this->c1->...->myFunc();};

// call it like this
double value = d();
于 2013-02-01T14:14:36.070 回答
1

假设在this->c1->c2->c3->myFunc()c3 中是类型foo

class foo 
{
public:
  double myFunc();
};

然后你可以说:

typedef double (foo::*pmyfunc)(void);

然后获取它的地址:

pmyfunc addr = &foo::myFunc;

您应该阅读指向成员函数的常见问题解答。

于 2013-02-01T14:20:29.753 回答