4

这是我的问题:

#include <iostream>
using namespace std;
class A {
    public:
        virtual void f() = 0;
};
class B {
    public:
        void f() {cout << "Hello world!" << endl;};
};
class C : public A, private B {
    public:
        using B::f; // I want to use B::f as my implementation of A::f
};


int main() {
    C c; // error: C is abstract because f is pure virtual
    c.f(); 
}

现在到目前为止,我已经找到了两种解决方法:

  1. 在类 C 中定义一个只调用 B::f 的函数 f。但这很乏味而且不那么干净(尤其是在为一堆功能这样做时)

  2. B 继承自 A,C 继承自 B(全部公开)。对我来说,它不能很好地代表设计。特别是,B 不是 A,我不希望 B 依赖于 A。

你能想到其他的可能性吗?

4

1 回答 1

3

using 声明是将B::f函数添加到类范围以进行查找,但函数仍然是B::f,而不是C::f。您可以在派生类型中定义实现并转发给B::f实现,否则您将不得不更改继承层次结构,以便两者都B继承C(实际上)从A.

void C::f() { B::f(); }   // simple forwarding implementation
于 2013-09-06T17:50:47.550 回答