本文主要是介绍C++面向对象-19-继承中同名成员的访问方式,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
在继承中,如果出现子类和父类有相同的成员变量或者成员函数,那么在子类创建对象后,是如何进行访问的呢,本篇来学习下这个知识点。
1.子类和父类有相同名称的成员变量
#include <iostream>using namespace std;class Base {public:int m_A = 100;};class A : public Base {
public:int m_A = 200;
};void test01() {A a;cout << "m_A:"<< a.m_A << endl;
}int main() {test01();system("pause");
}
这里我们就值得怀疑,这个m_A输出结果到底是100,还是200. 如果是200,说明是调用子类中成员变量m_A, 如果输出100,说明是父类。
运行结果:
从输出结果来看,当前打印走的调用时子类的成员变量m_A的值。那么我们要如何才能访问到父类的成员m_A,代码如下
#include <iostream>using namespace std;class Base {public:int m_A = 100;};class A : public Base {
public:int m_A = 200;
};void test01() {A a;cout << "子类中m_A:"<< a.m_A << endl;cout << "父类中m_A:" << a.Base::m_A << endl;
}int main() {test01();system("pause");
}
运行结果:
在出现重名的成员变量的时候,子类对象想要访问父类中同名的成员变量,需要使用父类的作用域,也就是上面代码中的Base::
2 同名的成员函数是如何访问的
看看下面这段代码,执行打印输出是什么
#include <iostream>using namespace std;class Base {public:void myPrint() {cout << "这是调用Base中的打印函数:" << endl;}};class A : public Base {
public:void myPrint() {cout << "这是调用A中的打印函数:" << endl;}
};void test01() {A a;a.myPrint();
}int main() {test01();system("pause");
}
这里输出的是子类中的打印方法,同样如果要调用父类的myPint()应该这么做
#include <iostream>using namespace std;class Base {public:void myPrint() {cout << "这是调用Base中的打印函数:" << endl;}};class A : public Base {
public:void myPrint() {cout << "这是调用A中的打印函数:" << endl;}
};void test01() {A a;a.myPrint();a.Base::myPrint(); //调用父类中myPrint()
}int main() {test01();system("pause");
}
结论:
1.子类对象可以直接访问到子类中同名成员
2.子类对象加作用域可以访问到父类同名成员
3.当子类与父类拥有同名的成员函数,子类会隐藏父类中同名成员函数,加作用域可以访问到父类中同名函数
这篇关于C++面向对象-19-继承中同名成员的访问方式的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!