0

我有 2 个类,基类是“Port”,派生类是“VintagePort”。据我所知,如果我使用基类的引用或指针指向派生类的对象,它会自动找到正确的方法,而不是引用或指针,而是精确到对象(如果方法是虚拟的)。

在我的情况下,您可以看到两个类都有友元函数“operator<<”。但看起来当我使用基类指针时,它只从基类调用函数。如果我使用“cout << VintagePort”它可以正常工作。我的问题:它工作正常还是我应该在代码中修复一些东西?

std::ostream& operator<<(std::ostream& os, const Port& p)
{
os << p.brand << ", " << p.style << ", " << p.bottles << endl;
return os;
}

std::ostream& operator<<(std::ostream& os, const VintagePort& vp)
{
os << (const Port &) vp;
cout << ", " << vp.nickname << ", " << vp.year << endl;
return os;
}




VintagePort vp1;
VintagePort vp2("Gallo", "lekko brazowy", 50, "Blaze", 1990);
VintagePort vp3(vp2);

Port* arr[3];
arr[0] = &vp1;
arr[1] = &vp2;
arr[2] = &vp3;

for (int i = 0; i < 3; i++)
{
    cout << ">>>>> " << i+1 << " <<<<<" << endl;
    cout << *arr[i];   // call for base class instead derived class
    arr[i]->Show();    
}
4

2 回答 2

5

编译器现在没有指针实际指向一个继承的类。解决这个问题的一种方法是在基类中有一个虚函数用于输出,并在继承基类的类中覆盖它。然后在输出操作符中调用这个虚方法。

于 2012-07-20T11:29:14.473 回答
0

在 C++ 中,多态性只能通过虚函数来实现,而operator<<不是一个(也不能用于您的目的,因为第一个参数是std::ostream. 如果您需要这种行为,简单的方法是在您的层次结构,并operator<<转发执行动态调度的呼叫:

struct base {  // Don't forget virtual destructors
   virtual void print( std::ostream& ) const;
};
struct derived : base {
   virtual void print( std::ostream& ) const;
};
std::ostream& operator<<( std::ostream& o, const base& b ) {
   b.print( o );
   return o;
}
于 2012-07-20T13:51:33.043 回答