C++ 类的成员函数指针 ( function/bind )

时间:2021-07-18 19:52:21

这个概念主要用在C++中去实现"委托"的特性. 但现在C++11 中有了 更好用的function/bind 功能.但对于类的成员函数指针的概念我们还是应该掌握的.

类函数指针 就是要确定由哪个 类的实例 去调用 类函数指针所指的函数.

typedef void (Human::*fp)();  定义了一个类的函数指针.

fp classFunc = &Human::run; // 注意这里是方法的地址.告之具体的指向类中的哪个函数

(human->*p)(); 或 (human.*p)();  // 这是使用一个类的实例去调用类的函数指针 *p 就是取得方法的地址 然后再调用..

 #include <iostream>
using namespace std; class Human {
public:
virtual void run() = ;
virtual void eat() = ;
}; class Mother : public Human {
public:
void run() {
cout << "Mother Run" << endl;
}
void eat() {
cout << "Mother eat" << endl;
}
}; class Father : public Human {
public:
void run() {
cout << "Father run" << endl;
}
void eat() {
cout << "Father eat" << endl;
}
}; typedef void (Human::*fp)(); int main() {
// 创建一个类的实例
Human* human = new Father();
// 定义一个类函数指针
fp p;
// 给类函数指针赋值
p = &Human::run;
// 调用类的函数指针
(human->*p)();
return ;
}