黑马程序员的老师总是能给我一点震撼.
我是李承真,坚持日更,明天,你们就会看到十篇新的笔记
先来个图
不好意思放错了,是这张:
代码1:引出问题
#include<iostream>
using namespace std;
class Animal {
public:
int m_age;
};
class sheep :public Animal{};
class Tuo :public Animal{};
class sheeptuo :public sheep, public Tuo{};
void test01() {
sheeptuo st;
/*st.m_age = 18;*/ // 报错,m_age从"🐏"和"tuo"里面继承,意义不明确
st.sheep::m_age = 18;
st.Tuo::m_age = 28;//菱形继承,当父类拥有相同的数据,需要加作用域以区分
cout << st.sheep::m_age << endl << st.Tuo::m_age << endl;
}//这份数据我们知道,只有一份就可以.
代码2:解决问题
#include<iostream>
using namespace std;
class Animal
{
public:
int m_age;
};
//利用虚继承,解决菱形继承的问题
//继承之前,加上关键字virtual百年未虚继承
//Animal类 成为 虚基类
class sheep :virtual public Animal{};
class Tuo :virtual public Animal{};
class sheeptuo :public sheep, public Tuo{};
void test01() {
sheeptuo st;
st.sheep::m_age = 18;
st.Tuo::m_age = 28;
cout << st.m_age;//现在不报错了
cout << st.sheep::m_age << endl << st.Tuo::m_age << endl;
}
int main() {
test01();
}