我在下面有一个特定的场景。下面的代码应该打印B和C类的'say()'函数并打印'B说..'和'C说......'但它没有。任何想法.. 我正在学习多态性,所以也在下面的代码行中评论了几个与之相关的问题。
class A
{
public:
// A() {}
virtual void say() { std::cout << "Said IT ! " << std::endl; }
virtual ~A(); //why virtual destructor ?
};
void methodCall() // does it matters if the inherited class from A is in this method
{
class B : public A{
public:
// virtual ~B(); //significance of virtual destructor in 'child' class
virtual void say () { // does the overrided method also has to be have the keyword 'virtual'
cout << "B Sayssss.... " << endl;
}
};
class C : public A {
public:
//virtual ~C();
virtual void say () { cout << "C Says " << endl; }
};
list<A> listOfAs;
list<A>::iterator it;
# 1st scenario
B bObj;
C cObj;
A *aB = &bObj;
A *aC = &cObj;
# 2nd scenario
// A aA;
// B *Ba = &aA;
// C *Ca = &aA; // I am declaring the objects as in 1st scenario but how about 2nd scenario, is this suppose to work too?
listOfAs.insert(it,*aB);
listOfAs.insert(it,*aC);
for (it=listOfAs.begin(); it!=listOfAs.end(); it++)
{
cout << *it.say() << endl;
}
}
int main()
{
methodCall();
return 0;
}
答案 0 :(得分:2)
您的问题称为切片,您应该检查此问题:Learning C++: polymorphism and slicing
您应该将此列表声明为指向A
的指针列表:
list<A*> listOfAs;
然后将这些aB
和aC
指针插入其中,而不是创建它们指向的对象的副本。将元素插入列表的方式是错误的,您应该使用push_back
函数来插入:
B bObj;
C cObj;
A *aB = &bObj;
A *aC = &cObj;
listOfAs.push_back(aB);
listOfAs.push_back(aC);
然后你的循环看起来像这样:
list<A*>::iterator it;
for (it = listOfAs.begin(); it != listOfAs.end(); it++)
{
(*it)->say();
}
输出:
B Sayssss....
C Says
希望这有帮助。
答案 1 :(得分:1)
虚拟类层次结构的多态性只能通过引用或指针工作到基础子对象:
struct Der : Base { /* ... */ };
Der x;
Base & a = x;
a.foo(); // calls Der::foo() from x
如果函数foo
是Base
中的虚函数,则会以多态方式调度函数Base
;多态性指的是当您调用类型为Der
的对象的成员函数时,实际调用的函数可以在类unique_ptr
中实现。
容器只能存储固定类型的元素。为了存储多态集合,您可以使用指向基类的指针容器。由于您需要将实际对象存储在其他位置,因此生命周期管理并非易事,最好留给专用包装器,例如#include <list>
#include <memory>
int main()
{
std::list<std::unique_ptr<Base>> mylist;
mylist.emplace_back(new Der1);
mylist.emplace_back(new Der2);
// ...
for (p : mylist) { p->foo(); /* dispatched dynamically */ }
}
:
{{1}}
答案 2 :(得分:0)
list::iterator it;
B bObj;
C cObj;
A *aB = &bObj;
A *aC = &cObj;
listOfAs.insert(it,*aB);
你不需要初始化“它”吗? 我相信你应该这样做= listOfAs.begin();在开始插入之前。