Derived class defines function via base class

断了今生、忘了曾经 提交于 2020-01-04 01:51:32

问题


Consider the following code:

struct A
{
  virtual void f() = 0;
};

struct B
{
  void f();
};

struct C : public A, public B
{};

int main()
{
  A* a = new C();
  B* b = new C();
  C* c = new C();

  // All these calls should result in B::f
  a->f();
  b->f();
  c->f();
}

The compiler states that C is abstract. How can this situation be resolved? The issue seems similar to diamond inheritance, but I fail to see the solution.

EDIT: Thanks, this is the working example:

#include "stdio.h"

struct A
{
  virtual void f() = 0;
};

struct B
{
  void f()
  {
      printf("B::f\n");
  }
};

struct C : public A, public B
{
  void f()
  {
      printf("C::f\n");
      B::f();
  }
};

int main()
{
  A* a = new C();
  B* b = new C();
  C* c = new C();

  printf("Calling from A\n");
  a->f();
  printf("Calling from B\n");
  b->f();
  printf("Calling from C\n");
  c->f();
}

Output:

Calling from A
C::f
B::f
Calling from B
B::f
Calling from C
C::f
B::f

回答1:


The issue is that the two f() functions are completely unrelated, even though they happen to have the same name.

If the desired behaviour is for the C's virtual f() to call B::f(), you have to do it explicitly:

struct C : public A, public B
{
  void f();
};

void C::f() {
  B::f();
}



回答2:


You need to override the virtual function from the base class in C. If you want it to call B::f, say it like this:

struct C : A, B
{
    void f() { B::f(); }
};


来源:https://stackoverflow.com/questions/14176916/derived-class-defines-function-via-base-class

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!