构造函数如何在私有继承中工作

时间:2015-07-11 13:09:05

标签: c++ inheritance access-specifier

我知道关于这个话题存在同样的问题。但我仍然感到困惑。请解释A&#39的类构造函数如何与obj一起执行,即使我私下继承了A的类构造函数。

#include <iostream>
using namespace std;
class A{
    public:
        A(){
            cout << "A" << endl;
        }
};
class B:private A{
    public:
        B(){
            cout << "B" << endl;
        }
};
int main(){
    B obj;

    return 0;
}

输出

A
B

1 个答案:

答案 0 :(得分:6)

私有继承意味着所有公共和受保护的基本成员在派生类中变为私有。因此,A::A()B中的私有,因此可以从B::B()完全访问。

B::B()无法使用A私有构造函数(但您不具备其中任何一种):

struct A
{
public:
    A();
protected:
    A(int);
private:
    A(int, int);
};

struct Derived : /* access irrelevant for the question */ A
{
    Derived() : A() {}      // OK
    Derived() : A(10) {}    // OK
    Derived() : A(1, 2) {}  // Error, inaccessible
};