C++学习Day06之继承方式

目录

  • 一、程序及输出
    • 1.1 公共继承
      • 1.1.1 父类中公共成员,子类可以正常访问
      • 1.1.2 父类中保护成员,子类类外不可以访问
      • 1.1.3 父类中私有成员,子类无法访问
    • 1.2 保护继承
      • 1.2.1 父类中公共权限 子类中变为 保护权限
      • 1.2.2 父类中保护权限 子类中变为 保护权限
      • 1.2.3 父类中私有成员 子类无法访问
    • 1.3 私有继承
      • 1.3.1 父类中公共权限 子类中变为私有权限
      • 1.3.2 父类中保护权限 子类中变为私有权限
      • 1.3.3 父类中私有成员 子类无法访问
  • 二、分析与总结


一、程序及输出

1.1 公共继承

1.1.1 父类中公共成员,子类可以正常访问

#include
using namespace std;

/   公共继承  
class Base1
{
public:
	int m_A;
protected:
	int m_B;
private:
	int m_C;
};

class Son1 :public Base1
{
public:


	void func()
	{
		m_A = 100; //父类中 公共权限 子类中变为  公共权限
		m_B = 100; //父类中 保护权限 子类中变为  保护权限
		//m_C = 100;// 父类中私有成员,子类无法访问
	}
};

void test01()
{
	Son1 s1;
	s1.m_A = 100; //在Son1中 m_A是公共权限  类外可以访问
	cout<<"son1 m_A值为"<< s1.m_A << endl;
	//s1.m_B = 100; //在Son1中 m_B是保护权限  类外不可以访问
}
int main(){
	test01();
	system("pause");
	return EXIT_SUCCESS;
}

输出:
C++学习Day06之继承方式_第1张图片

1.1.2 父类中保护成员,子类类外不可以访问

C++学习Day06之继承方式_第2张图片

1.1.3 父类中私有成员,子类无法访问

C++学习Day06之继承方式_第3张图片

1.2 保护继承

#include
using namespace std;
class Base2
{
public:
	int m_A;
protected:
	int m_B;
private:
	int m_C;
};

class Son2 : protected Base2
{
public:
	void func()
	{
		m_A = 100;//父类中 公共权限 子类中变为  保护权限
		m_B = 100;//父类中 保护权限 子类中变为  保护权限
		//m_C = 100;//父类中私有成员,子类无法访问
	}
};

void test02()
{
	Son2 s;
	cout << "son2 "  << endl;
	//s.m_A = 100;  //子类中 保护权限 无法访问
	//s.m_B = 100;  //子类中 保护权限 无法访问
	//s.m_C = 100; //子类本身没有访问权限
}

int main(){
	test02();
	system("pause");
	return EXIT_SUCCESS;
}

输出:
C++学习Day06之继承方式_第4张图片

1.2.1 父类中公共权限 子类中变为 保护权限

C++学习Day06之继承方式_第5张图片

1.2.2 父类中保护权限 子类中变为 保护权限

C++学习Day06之继承方式_第6张图片

1.2.3 父类中私有成员 子类无法访问

C++学习Day06之继承方式_第7张图片

1.3 私有继承

#include
using namespace std;
class Base3
{
public:
	int m_A;
protected:
	int m_B;
private:
	int m_C;
};
class Son3 :private Base3
{
public:
	void func()
	{
		m_A = 100;  //父类中 公共权限 子类中变为  私有权限
		m_B = 100;  //父类中 保护权限 子类中变为  私有权限
		//m_C = 100;//父类中私有成员,子类无法访问
	}
};
class GrandSon3 :public Son3
{
public:
	void func()
	{
		//m_A = 100;//在Son3中 已经变为私有权限,GrandSon3访问不到
		//m_B = 100;
	}
};
void test03()
{
	Son3 s;
	//s.m_A = 100;//在Son3中变为私有权限,类外访问不到
	//s.m_B = 100;//在Son3中变为私有权限,类外访问不到

}

int main(){
	test03();
	system("pause");
	return EXIT_SUCCESS;
}

1.3.1 父类中公共权限 子类中变为私有权限

C++学习Day06之继承方式_第8张图片

1.3.2 父类中保护权限 子类中变为私有权限

C++学习Day06之继承方式_第9张图片

1.3.3 父类中私有成员 子类无法访问

C++学习Day06之继承方式_第10张图片


二、分析与总结

在 C++ 中,继承方式主要包括公有继承、保护继承和私有继承。这些继承方式决定了基类的成员在派生类中的访问权限。

公有继承(public inheritance):
基类的公有成员在派生类中保持公有性。
基类的保护成员在派生类中变为保护成员。
派生类对象可以访问基类的公有成员。
保护继承(protected inheritance):
基类的公有和保护成员在派生类中变为保护成员。
派生类对象无法直接访问基类的公有成员,只能通过派生类的成员函数访问。
私有继承(private inheritance):
基类的公有和保护成员在派生类中变为私有成员。
派生类对象无法直接访问基类的成员,只能通过派生类的成员函数访问。

你可能感兴趣的:(C++,c++,学习,开发语言)