-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy path44_类与对象_多态_01.cpp
74 lines (62 loc) · 1.44 KB
/
44_类与对象_多态_01.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
#include <iostream>
using namespace std;
// 多态
// - 静态多态:函数重载和运算符重载,复用函数名
// - 动态多态:派生类和虚函数实现运行时多态
// 静态多态与动态多态区别:
// 静态多态的函数地址早绑定 - 编译阶段确定函数地址
// 动态多态的函数地址晚绑定 - 运行阶段确定函数地址
class Animal
{
public:
// 虚函数
virtual void speak()
{
cout << "动物在说话" << endl;
}
};
class Cat : public Animal
{
public:
// 重写:函数返回值、函数名、参数列表完全相同
void speak()
{
cout << "猫在说话" << endl;
}
};
class Dog : public Animal
{
public:
void speak()
{
cout << "狗在说话" << endl;
}
};
// 地址早绑定 在编译阶段确定函数地址
// 如果想执行让猫说话,那么函数地址不能提前绑定,需要在运行阶段绑定(晚绑定)
void doSpeak(Animal &animal) // Animal & animal = cat;
{
animal.speak();
}
// 动态多态满足条件
// 1、有继承关系
// 2、子类重写父类的虚函数(重写:函数返回值、函数名、参数列表完全相同)
// 动态多态使用:父类的引用/指针执行子类对象
void test01()
{
Cat cat;
doSpeak(cat);
Dog dog;
doSpeak(dog);
}
void test02()
{
Animal animal;
cout << sizeof(animal) << endl;
}
int main()
{
// test01();
test02();
return 0;
}