我想做这样的事情:
int a = 9, b = 3;
map<char,operator> m;
m['+'] = +;
m['-'] = -;
m['*'] = *;
m['/'] = /;
for(map<char,operator>::iterator it = m.begin(); it != m.end(); ++it) {
cout << func(a,b,it -> second) << endl;
}
输出是这样的:
12
6
27
3
我该怎么做?
答案 0 :(得分:6)
您可以在<functional>
中使用预制仿函数:
int a = 9, b = 3;
std::map<char, std::function<int(int, int)>> m;
m['+'] = std::plus<int>();
m['-'] = std::minus<int>();
m['*'] = std::multiplies<int>();
m['/'] = std::divides<int>();
for(std::map<char, std::function<int(int, int)>>::iterator it = m.begin(); it != m.end(); ++it) {
std::cout << it->second(a, b) << std::endl;
}
每个都是一个带有operator()
的类,它接受两个参数并返回这两个参数的数学运算结果。例如,std::plus<int>()(3, 4)
与3 + 4
基本相同。每个都存储为签名int(int, int)
的函数包装器对象,然后根据需要使用这两个数字进行调用。