C ++覆盖函数,返回类型不同于基类

时间:2012-11-07 08:06:57

标签: c++ inheritance override

  

可能重复:
  it is possible to change return type when override a virtual function in C++?

我收到错误:

error: conflicting return type specified for âvirtual bool D::Show()
7: error: overriding âvirtual void A::Show()"

当我编译我的代码时。代码是:

class A
{
       public:  
       virtual void Show()
       {
        std::cout<<"\n Class A Show\n";
       }
};

class B :  public A
{
    public:
    void Show(int i)
    {
            std::cout<<"\n Class B Show\n";
    }
};

class C
{
    public:
    virtual bool Show()=0;
};

class D :public C, public B
{
    public:
        bool Show(){
            std::cout<<"\n child Show\n";
            return true;}
};

int main()
{
    D d;
    d.Show();
    return 0;
}

我想使用C语言中的Show()函数。我的错误在哪里?

1 个答案:

答案 0 :(得分:6)

您的编译器抱怨,因为这两个函数没有相同的返回类型:其中一个返回void而另一个返回bool。您的两个函数应该具有相同的返回类型

你应该

class A {
   public:  
   virtual bool Show() {
      std::cout<<"\n Class A Show\n";
      return true; // You then ignore this return value
   }
};

class B :  public A {
   public:
   bool Show(int i) {
      std::cout<<"\n Class B Show\n";
      return true; // You then ignore this return value
   }
};

如果您无法更改班级AB,则可以更改班级CD以使用void Show()方法而不是bool Show()方法{1}}方法。

如果您无法执行上述任何操作,则可以使用composition over inheritance:在B函数中添加D类型的成员,而不是从其继承:

class D : public C {
public:
    bool Show() {
        std::cout<<"\n child Show\n";
        return true;
    }
    void ShowB() {
        b.Show();
    }

private:
    B b;
};