??本篇博客介绍如何把类成员函数名和函数地址作为k,v传入到map, 代码如下:
#include <iostream>
#include <map>
#include <string>
using namespace std;
class Test
{
public:
Test();
void fun1(int a, int b)
{
cout << "fun1" << endl;
}
void fun2(int a, int b)
{
cout << "fun2" << endl;
}
void fun3(int a, int b)
{
cout << "fun3" << endl;
}
void fun4(int a, int b)
{
cout << "fun4" << endl;
}
void RunFunc(string funcName, int arg1, int arg2)
{
if (funcMap.count(funcName))
{
(this->*funcMap[funcName])(arg1, arg2);
}
}
private:
typedef void (Test::*Fun_ptr)(int, int);
map<string, Fun_ptr> funcMap;
};
Test::Test()
{
funcMap.insert(make_pair("fun1", &Test::fun1));
funcMap.insert(make_pair("fun2", &Test::fun2));
funcMap.insert(make_pair("fun3", &Test::fun3));
funcMap.insert(make_pair("fun4", &Test::fun4));
}
int main()
{
Test* pTest = new Test();
pTest->RunFunc("fun1", 1, 2);
pTest->RunFunc("fun2", 1, 2);
pTest->RunFunc("fun3", 1, 2);
pTest->RunFunc("fun4", 1, 2);
delete pTest;
pTest = nullptr;
return 0;
}
??在上述代码中,Test有四个参数相同的成员函数fun1、fun2、fun3、fun4,把他们的函数名和函数指针作为k, v存到了map,在外面调用时,直接根据函数名字符串调用,用Test对象调用RunFunc方法,传入函数名即可。 ??注意类成员函数指针的命名方式:
typedef void (Test::*Fun_ptr)(int, int);
??调用时,也需要使用this
void RunFunc(string funcName, int arg1, int arg2)
{
if (funcMap.count(funcName))
{
(this->*funcMap[funcName])(arg1, arg2);
}
}
??用map的count方法判断key的出现次数,如果为0,则是没有这个func, 为1就是有。
|