继承(inherit)是面向对象(OOP)三大特性之一,作用是可以减少大量的重复代码。
1. 子类和父类
class 子类 : 继承方式 父类
子类 —— 派生类
父类 —— 基类
示例:
#include <iostream>
#include <string>
using namespace std;
class base {
public:
void header() {
cout << "编程语言学习网站" << endl;
}
void footer() {
cout << "视频、 帮助、 资料..." << endl;
}
void left() {
cout << "java, python, c++ ...." << endl;
}
};
class javapage : public base {
public:
void content() {
cout << "java 学科视频如下: " << endl;
}
};
class cpppage : public base {
public:
void content() {
cout << "cpp 学科视频如下: " << endl;
}
};
class pythonpage : public base {
public:
void content() {
cout << "python 学科视频如下: " << endl;
}
};
void test01() {
javapage j1;
cpppage c1;
pythonpage p1;
cout << "java界面如下:" << endl;
j1.header();
j1.footer();
j1.left();
j1.content();
}
int main() {
test01();
system("pause");
return 0;
}
2. 继承方式
继承方式一共三种:1.公共继承 public 2. 保护继承 protected 3. 私有继承 private
3.继承中的对象模型
#include <iostream>
#include <string>
using namespace std;
class base {
public:
int m_a;
protected:
int m_b;
private:
int m_c;
};
class son : public base {
public:
int m_d;
};
void test01() {
son s1;
cout << sizeof(s1) << endl; // 大小为16字节
}
int main() {
test01();
return 0;
}
父类中所有非静态成员属性都会被子类继承下去,父类中私有成员属性被编译器隐藏,因此访问不到,因此上述代码运行结果为16字节(4个int)。
4. 继承的构造和析构顺序
先构造父类再构造子类,析构的顺序与构造的顺序相反。
#include <iostream>
#include <string>
using namespace std;
class father {
public:
father() {
cout << "father constructor" << endl;
}
~father() {
cout << "father destructor" << endl;
}
int m_a;
};
class son : public father {
public:
son() {
cout << "son constructor" << endl;
}
~son() {
cout << "son destructor" << endl;
}
};
void test01() {
son s1;
}
int main() {
test01();
return 0;
}
5. 同名成员处理
当子类与父类出现同名成员时,访问子类的同名成员可直接访问(直接调用调用的是子类的成员),访问父类的同名成员(属性/函数)需加作用域(包括其重载)。
静态同名成员还可以通过类名进行访问 —— 子类 :: 父类 :: 属性名/函数名
6.多继承语法
class 子类 : 继承方式 父类1, 继承方式 父类2
可能会引发父类中的同名成员,需要加作用域区分,实际开发不建议使用。
7.菱形继承
菱形继承(diamond inheritance)概念:
两个派生类继承同一个基类,又有某类同时继承两个派生类。
菱形继承问题:1.使用数据的二义性 2. 只需要一份数据,资源浪费
使用虚继承解决:
#include <iostream>
#include <string>
using namespace std;
class animal {
public:
int m_age;
};
// 利用虚继承解决菱形继承问题
// 在继承前加关键字virtual变为虚继承 共享数据
class sheep : virtual public animal{};
class camel : virtual public animal{};
class alpaca : public sheep, public camel{};
void test01() {
alpaca a1;
// 两个父类有相同数据,需要加作用域区分
a1.sheep::m_age = 18;
a1.camel::m_age = 20;
cout << a1.sheep::m_age << endl;
cout << a1.camel::m_age << endl;
cout << a1.m_age << endl;
}
int main() {
test01();
system("pause");
return 0;
}
虚基类继承的是虚基类的vbptr(虚基类指针)
虚基类指针——>虚基类表——>偏移量——>同一份数据