我有一个带有两个成员函数getA
和getA2
的类,它们具有相似的作用。在经过可能不同的内部计算之后,它们都返回一个int。
在函数printStuff
中,我同时调用了两者,但实际上我只想调用其中一个,而没有在printStuff
中对其进行命名。我想给printStuff
信息,以某种方式在类A的主体中使用类A的哪个成员函数作为printStuff
的参数。
class A {
public:
A(int a) : m_a(a) {;}
int getA() {
return m_a;
};
int getA2() {
return 2*m_a;
};
private:
int m_a = 0;
};
void printStuff(/*tell me which member fcn to use*/) {
A class_a(5);
//I actually just want to call the last of the 2 lines, but define somehow
//as an argument of printStuff which member is called
cout << "interesting value is: " << class_a.getA() << endl;
cout << "interesting value is: " << class_a.getA2() << endl;
cout << "interesting value is: " << /*call member fcn on class_a*/ << endl;
}
int functional () {
printStuff(/*use getA2*/); //I want to decide HERE if getA or getA2 is used in printStuff
return 0;
}
可以通过某种方式完成吗?通过阅读函数指针,我不确定如何正确地将其应用于此处。
答案 0 :(得分:4)
您可以通过传递pointer to a member function来进行所需的参数化。
void printStuff( int (A::* getter)() ) {
A class_a(5);
cout << "interesting value is: " << (a.*getter)() << endl;
}
// in main
printStuff(&A::getA2);
在真正的C ++方式中,声明符语法int (A::* getter)()
有点儿怪异,但这就是在函数签名中使用原始的指针成员函数的方式。类型别名可以稍微简化语法,因此值得牢记。而且我认为&A::getA2
很不言自明。
还请注意(a.*getter)()
中的括号,因为运算符优先级需要它。