【C++】44.继承中的访问级别

 

问题

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

面向对象理论

根据C++语法

example:

class Parent
{
private:
    int mv;
public:
    Parent()
    {
        mv = 100;
    }
    
    int value()
    {
        return mv;
    }
};

class Child : public Parent
{
public:
    int addValue(int v)
    {
        mv = mv + v;    // ???? 如何访问父类的非公有成员
    }
};

int main()
{   
    return 0;
}

继承中的访问级别

  • 面向对象中访问级别不只是 public 和 private
  • 可以定义 protected 访问级别
  • 关键字 protected 的意义
  1. 修饰的成员不能被外界直接访问
  2. 修饰的成员可以被子类直接访问

class Parent
{
protected:
	int mi;
public:    
    Parent()
    {
        mi = 100;
    }
	
	int value()
	{
		return mi;
	}
};

class Child : public Parent
{
public:  	
	int add(int mv)
	{
		mi +=mv;
	}
};

int main()
{
	Parent p;    
    cout << "p.mv = " << p.value() << endl;
	
	//p.mv = 100 ;  // error
	
    Child c;
    
    cout << "c.mv = " << c.value() << endl;
    
    c.add(50);
    
    cout << "c.mv = " << c.value() << endl;
    
	
	
    return 0;
}
p.mv = 100
c.mv = 100
c.mv = 150

面向对象的需要protected 原因

(从生活实践中去思考,比如工资并不是不能让别人知道,可以父母知道)

提前思考构造的过程

代码实现如图所示的关系

#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;
}

小结

  • 面向对象的访问级别不只是 public 和 private
  • protected 修饰的成员不能被外界所访问
  • protected 使得子类能够访问父类的成员
  • protected 关键字是为了继承而专门设计的
  • 没有 protected 就无法完成真正意义上的的代码复用
发布了84 篇原创文章 · 获赞 0 · 访问量 583

猜你喜欢

转载自blog.csdn.net/zhabin0607/article/details/104011589
今日推荐