抽象基类,多重继承和常见的纯虚方法

时间:2013-04-16 14:59:16

标签: c++ abstract-class multiple-inheritance

以下测试代码似乎表明,如果一个类有两个带有常见纯虚方法的抽象基类,那么这些方法在派生类中是“共享的”。

#include <iostream>
#include <string>

using namespace std;

struct A
{
    virtual string do_a() const = 0;
    virtual void set_foo(int x) = 0;
    virtual int get_foo() const = 0;
    virtual ~A() {}
};

struct B
{
    virtual string do_b() const = 0;
    virtual void set_foo(int x) = 0;
    virtual int get_foo() const = 0;
    virtual ~B() {}
};

struct C : public A, public B
{
    C() : foo(0) {}
    string do_a() const { return "A"; }
    string do_b() const { return "B"; }
    void set_foo(int x) { foo = x; }
    int get_foo() const { return foo; }
    int foo;
};

int main()
{
    C c;
    A& a = c;
    B& b = c;
    c.set_foo(1);
    cout << a.do_a() << a.get_foo() << endl;
    cout << b.do_b() << b.get_foo() << endl;
    cout << c.do_a() << c.do_b() << c.get_foo() << endl;
    a.set_foo(2);
    cout << a.do_a() << a.get_foo() << endl;
    cout << b.do_b() << b.get_foo() << endl;
    cout << c.do_a() << c.do_b() << c.get_foo() << endl;
    b.set_foo(3);
    cout << a.do_a() << a.get_foo() << endl;
    cout << b.do_b() << b.get_foo() << endl;
    cout << c.do_a() << c.do_b() << c.get_foo() << endl;
}

这段代码使用-std = c ++ 98 -pedantic -Wall -Wextra -Werror在g ++ 4.1.2(老实说)中干净利落地编译。输出是:

A1
B1
AB1
A2
B2
AB2
A3
B3
AB3

这就是我想要的,但我怀疑这是否有效,或者只是“偶然”。从根本上说,这是我的问题:我可以依赖这种行为,还是应该总是从这种类型的场景中继承虚拟基类?

1 个答案:

答案 0 :(得分:3)

不要让它变得更难。与基类中的虚函数具有相同签名的函数会覆盖基本版本。无论你有多少个基数,或者另一个基数是否具有相同签名的虚函数。所以,是的,这很有效。