获取 this->c1->c2->c3->myFunc() 的函数指针;

get function pointer of this->c1->c2->c3->myFunc();

本文关键字:gt 函数 指针 c2- this- c1- 获取 c3- myFunc      更新时间:2023-10-16

我在获取通过指针访问的函数的指针时遇到问题:

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

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

如果你的意思是你想要一个指向 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 具有 lambda 和用于此类事情的 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();

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

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

然后你可以说:

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

然后取它的地址:

pmyfunc addr = &foo::myFunc;

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