#include <iostream>
using namespace std;
//父子类中出现重名成员
//定义一个父类
class Father{
public:
string name;
protected:
int pwd;
private:
int money;
public:
Father(){
cout<<"Father::构造"<<endl;
}
Father(string n,int p,int m):name(n),pwd(p),money(m){
cout<<"Father::有参"<<endl;
}
};
//定义子类
class Son:public Father{
public:
int name;//可以重名
};
class Test{
public:
Father f;
};
int main()
{
Father father;
Son son;
Test test;
//使用子类成员和父类成员的同名函数
cout<<"&son="<<&son.name<<endl;//子类name
cout<<"&father="<<&son.Father::name<<endl;///访问父类name
cout<<"&test="<<&test<<endl;
cout<<"&test.f="<<&test.f<<endl;
return 0;
}
关于继承中特殊成员函数
cpp复制代码
#include <iostream>
using namespace std;
//父子类中出现重名成员
//定义一个父类
class Father{
public:
string name;
protected:
int pwd;
private:
int money;
public:
Father(){
cout<<"Father::构造"<<endl;
}
Father(string n,int p,int m):name(n),pwd(p),money(m){
cout<<"Father::有参"<<endl;
}
~Father(){
cout<<"析构"<<endl;
}
//拷贝构造
Father(const Father & other):name(other.name),pwd(other.pwd),money(other.money){
cout<<"Father::拷贝构造"<<endl;
}
//拷贝赋值
Father&operator=(const Father&other){
if(this!=&other){
this->name=other.name;
this->pwd=other.pwd;
this->money=other.money;
}
cout<<"Father::拷贝赋值函数"<<endl;
return *this;
}
void show(){
cout<<"Father::name = "<<name<<endl;
cout<<"Father::pwd = "<<pwd<<endl;
cout<<"Father::money = "<<money<<endl;
}
};
//定义子类
class Son:public Father{
private:
string toy;
public:
Son(){
cout<<"Son::无参构造"<<endl;
}
~Son(){cout<<"Son::析构函数"<<endl;}
Son(const Son& other):Father(other),toy(other.toy)
{
cout<<"Son::拷贝构造函数"<<endl;
}
Son(string n, int p, int m, string t): Father(n, p, m), toy(t)
{
cout<<"Son::有参构造"<<endl;
}
void show()
{
// cout<<"Father::name = "<<name<<endl;
// cout<<"Father::pwd = "<<pwd<<endl;
// cout<<"Father::money = "<<money<<endl; //子类中无法访问父类的私有成员
Father::show(); //调用父类提供的show函数
cout<<"toy = "<<toy<<endl;
}
};
int main()
{
Son s1("xx",123,5,"a");
s1.show();
Son s2(s1);
s2.show();
return 0;
}