使用std :: for_each时,
class A;
vector<A*> VectorOfAPointers;
std::for_each(VectorOfAPointers.begin(), VectorOfAPointers.end(), std::mem_fun(&A::foo));
如果我们有从A继承并实现foo()的类,并且我们持有一个指向A的指针, 有没有办法在foo()上调用多态调用,而不是显式调用A :: foo()? 注意:我不能使用boost,只能使用标准STL。
谢谢, 伽
答案 0 :(得分:11)
它实际上是这样的。
#include <algorithm>
#include <iostream>
#include <functional>
#include <vector>
struct A {
virtual void foo() {
std::cout << "A::foo()" << std::endl;
}
};
struct B: public A {
virtual void foo() {
std::cout << "B::foo()" << std::endl;
}
};
int main()
{
std::vector<A*> VectorOfAPointers;
VectorOfAPointers.push_back(new B());
std::for_each(VectorOfAPointers.begin(), VectorOfAPointers.end(), std::mem_fun(&A::foo));
return 0;
}
打印
B::foo()
所以它完全符合您的要求。检查virtual
个关键字是否存在,很容易忘记它们。