C/C++中虚基类详解及其作用介绍
程序员文章站
2022-06-25 09:32:03
目录概述虚基类 (virtual base class) 是用关键字 virtual 声明继承的父类.多重继承的问题n 类:class n {public: int a; void dis...
概述
虚基类 (virtual base class) 是用关键字 virtual 声明继承的父类.
多重继承的问题
n 类:
class n { public: int a; void display(){ cout << "a::a=" << a <<endl; } };
a 类:
class a : public n { public: int a1; };
b 类:
class b : public n { public: int a2; };
c 类:
class c: public a, public b{ public: int a3; void display() {cout << "a3=" << a3 << endl;}; };
main:
int main() { c c1; // 合法访问 c1.a::a = 3; c1.a::display(); return 0; }
输出结果:
a::a=3
存在的问题:
- a::a 和 b::a 是 n 类成员的拷贝
- a::a 和 b::a 占用不同的空间
虚基类
我们希望继承间接共同基类时只保留一份成员, 所以虚基类就诞生了. 当基类通过多条派生路径被一个派生类继承时, 该派生类只继承该基类一次.
语法:
class 派生类名: virtual 继承方式 基类名
初始化
通过构造函数的初始化表对虚拟类进行初始化. 例如:
n 类:
class n { public: int n; n(int n) : n(n) {}; };
a 类:
class a : virtual public n { public: a(int n) : n(n) {}; };
b 类:
class b : virtual public n { public: b(int n) : n(n) {}; };
c 类:
class c: public a, public b{ public: c(int n) : n(n), a(n), b(n){}; };
例子
person 类:
#ifndef project5_person_h #define project5_person_h #include <iostream> #include <string> using namespace std; class person { protected: string name; char gender; public: person(string n, char g) : name(n), gender(g) {} void display() { cout << "name: " << name << endl; cout << "gender: " << gender << endl; } }; #endif //project5_person_h
student 类:
#ifndef project5_student_h #define project5_student_h #include <string> #include "person.h" using namespace std; class student : virtual public person { protected: double score; public: student(string n, char g, double s) : person(n, g), score(s) {}; }; #endif //project5_student_h
teacher 类:
#ifndef project5_teacher_h #define project5_teacher_h #include <string> #include "person.h" using namespace std; class teacher : virtual public person { protected: string title; public: teacher(string n, char g, string t) : person(n, g), title(t) {}; }; #endif //project5_teacher_h
graduate 类:
#ifndef project5_graduate_h #define project5_graduate_h #include "teacher.h" #include "student.h" #include <string> using namespace std; class graduate : public teacher, public student{ private: double wage; public: graduate(string n, char g, double s, string t, double w) : person(n, g), student(n, g, s), teacher(n, g, t), wage(w) {}; void display() { person::display(); cout << "score: " << score << endl; cout << "title: " << title << endl; cout << "wages: " << wage << endl; }; }; #endif //project5_graduate_h
main:
#include <iostream> #include "graduate.h" using namespace std; int main() { graduate grad1("小白",'f',89.5,"教授",1234.5); grad1.display(); return 0; }
输出结果:
name: 小白
gender: f
score: 89.5
title: 教授
wages: 1234.5
总结
- 使用多重继承时要十分小心, 否则会进场出现二义性问题
- 不提倡在程序中使用多重继承
- 只有在比较简单和不易出现二义性的情况或实在必要时才使用多重继承
- 能用单一继承解决的问题就不要使用多重继承
到此这篇关于c/c++中虚基类详解及其作用介绍的文章就介绍到这了,更多相关c++虚基类内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!