第44课 继承中的访问级别

本文内容来自于对狄泰学院 唐佐林老师 C++深度解析 课程的学习总结

值得思考的问题

子类是否可以 直接访问 父类的 私有成员 ?

思考过程

第44课 继承中的访问级别

实验代码

我们来写一个程序,用子类来访问父类私有成员

#include <iostream>

using namespace std;

class Parent
{
private:
    int m_member;
};

class Child : public Parent
{

};

int main()
{
    Child c;

    c.m_member = 10;

    return 0;
}

编译结果
第44课 继承中的访问级别

实验结果:编译报错,子类无法访问父类私有成员

定义类时访问级别的选择

第44课 继承中的访问级别

组合与继承的综合实例

第44课 继承中的访问级别

实验代码
#include <iostream>
#include <string>
#include <sstream>

using namespace std;

class Object
{
protected:
    string mName;
    string mInfo;
public:
    Object()
    {
        mName = "Object";
        mInfo = "";
    }
    string name()
    {
        return mName;
    }
    string info()
    {
        return mInfo;
    }
};

class Point : public Object
{
private:
    int mX;
    int mY;
public:
    Point(int x = 0, int y = 0)
    {
        ostringstream s;
        
        mX = x;
        mY = y;
        mName = "Point";
        
        s << "P(" << mX << ", " << mY << ")";
        
        mInfo = s.str();
    }
    int x()
    {
        return mX;
    }
    int y()
    {
        return mY;
    }
};

class Line : public Object
{
private:
    Point mP1;
    Point mP2;
public:
    Line(Point p1, Point p2)
    {
        ostringstream s;
        
        mP1 = p1;
        mP2 = p2;
        mName = "Line";
        
        s << "Line from " << mP1.info() << " to " << mP2.info();
        
        mInfo = s.str();
    }
    Point begin()
    {
        return mP1;
    }
    Point end()
    {
        return mP2;
    }
};

int main()
{   
    Object o;
    Point p(1, 2);
    Point pn(5, 6);
    Line l(p, pn);
    
    cout << o.name() << endl;
    cout << o.info() << endl;
    
    cout << endl;
    
    cout << p.name() << endl;
    cout << p.info() << endl;
    
    cout << endl;
    
    cout << l.name() << endl;
    cout << l.info() << endl;
    
    return 0;
}

运行结果
第44课 继承中的访问级别




小结

面向对象中的访问级别不只是 publicprivate
protected 修饰的成员 不能被外界所访问
protected 使得 子类能够访问父类的成员
protected 关键字是 为了继承而专门设计的
没有 protected 就无法完成真正意义上的 代码复用

第44课 继承中的访问级别第44课 继承中的访问级别 lzg2011 发布了40 篇原创文章 · 获赞 0 · 访问量 876 私信 关注
上一篇:数据库中null与''的小坑


下一篇:工作笔记