C++——三种继承方式

三种权限的性质这里就不说了,都知道

三种权限继承

1.私有继承

私有继承基类中基类的所有类方法和类成员将全部变为派生类中的私有属性

//简单来说,基类中的所有权限在派生类中将全部变为私有

2.保护继承

保护继承基类中的保护成员和保护方法将变成派生类中保护属性

3.公有继承

基类中的所有权限在派生类中不改变

然后注意下基类中的私有属性的成员和方法在派生类中是不可以访问的

C++——三种继承方式_第1张图片

代码

#include 
using namespace std;

class Base
{
private:
    int pri_base;
protected:
    int pro_base;
public:
    Base(int a=1, int b=2, int c=3) : pri_base(a), pro_base(b), pub_base(c) {}
    int pub_base;
    void show() const
    {
        cout << "pri_base is : " << pri_base << endl;
        cout << "pro_base is : " << pro_base << endl;
        cout << "pub_base is : " << pub_base << endl;
    }
};
class Pri_Base : public Base
{
public:
    void show()
    {
        //cout << "pri_base is : " << pri_base << endl; //error
        cout << "pro_base is : " << pro_base << endl;
        cout << "pub_base is : " << pub_base << endl;
    }
};

class  Pro_Base : protected Base
{
public:
    void show()
    {
        //cout << "pri_base is : " << pri_base << endl; //error
        cout << "pro_base is : " << pro_base << endl;
        cout << "pub_base is : " << pub_base << endl;
    }
};

class Pub_Base : public Base
{
public:
    void show()
    {
        //cout << "pri_base is : " << pri_base << endl; //error
        cout << "pro_base is : " << pro_base << endl;
        cout << "pub_base is : " << pub_base << endl;
    }
};
int main()
{
    Base _base;
    Pri_Base a;
    Pro_Base b;
    Pub_Base c;
    //只能直接输出这一个
    cout << _base.pub_base << endl;
    _base.show();

    //private
    //不能直接输出任何成员,基类中公有方法show变为了保护权限,也不能使用,只能使用Pri_Base中提供的show()
    a.Pri_Base::show(); //显示的调用

    //protected
    //同私有权限对外访问的性质一样
    b.Pro_Base::show();

    //public
    cout << c.pub_base << endl; //可以这样输,也只能直接输出这一个
    c.Pub_Base::show();
}

关于公有继承的深入了解,可以参考这一文章



 C++——多重继承(菱形继承)_JAN6055的博客-CSDN博客

using 重定义权限

#include 

using namespace std;

class A{
private:
    int a;
public:
    void showA()
    {
        cout << a;
    }
};

class B : public A
{
private:
    int b;
public:
    using A::showA; //重定义权限为public
    void showB()
    {
        cout << b;
    }
};
int main()
{
    B b;
    b.showA();
    b.showA();
    return 0;
}

 

你可能感兴趣的:(C++,c++,继承)