1.C++继承访问权限
1.公有继承
- 派生类不可访问基类私有成员,可通过基类的公有成员函数访问
#include<iostream>
using namespace std;
class base{
int x;
public:
void setx(int n){ x=n; }
int getx(){ return x; }
void showx() { cout<<x<<endl; }
};
class derived:public base{
int y;
public:
void sety(int n){ y=n; }
void sety(){ y=getx(); }
void showy()
{ cout<<y<<endl; }
};
int main()
{ derived obj;
obj.setx(10);
obj.sety(20);
obj.showx();
obj.showy();
obj.sety();
obj.showx();
obj.showy();
system("pause");
}
2.保护继承
- 继承方式为protected方式为保护继承,
- 在这种继承方式下,基类的public成员在派生类中会变成protected成员
- 基类中的protected和private成员在派生类中保持原来的访问权限
#include <iostream>
using namespace std;
class Base{
int x;
protected:
int getx(){ return x; }
public:
void setx(int n){ x=n; }
void showx(){ cout<<x<<endl; }
};
class Derived:protected Base{
int y;
public:
void sety(int n){ y=n; }
void sety(){ y=getx();}
void showy(){ cout<<y<<endl; }
};
int main(){
Derived obj;
obj.setx(10);
obj.sety(20);
obj.showx();
obj.showy();
system("pause");
}
3.私有继承
- 基类中的public成员在派生类中变为private成员,派生类中无法访问基类中的private成员
#include <iostream>
using namespace std;
class Base{
int x;
public:
void setx(int n){x=n; }
int getx(){return x; }
void showx(){cout<<x<<endl; }
};
class derived:private Base{
int y;
public:
void sety(int n){y=n; }
void sety(){ y=getx(); }
void showy() { cout<<y<<endl; }
};
int main(){
derived obj;
obj.setx(10);
obj.sety(20);
obj.showx();
obj.showy();
}
[派生类中基类成员属性变化]
继承后的子类访问权限
- 继承后为public成员:派生类内、类的外部均可访问;
- 继承后为protected成员:派生类内可访问,类的外部不可访问;
- 继承后为private成员:派生类不可访问、类的外部不可访问;
|