我在获取通过指针访问的函数的指针时遇到了麻烦:
double *d = &(this->c1->...->myFunc();
不起作用,myFunc()
被声明为double
。
有没有办法做到这一点?
答案 0 :(得分: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();
答案 1 :(得分:1)
假设this->c1->c2->c3->myFunc()
c3的类型为foo
:
class foo
{
public:
double myFunc();
};
然后你可以说:
typedef double (foo::*pmyfunc)(void);
然后取其地址:
pmyfunc addr = &foo::myFunc;
您应该阅读Pointers to member函数常见问题解答。