C++继承练习2

参考资料:《C++Primer(第5版 )》

练习目的:虚函数与作用域。

#include 
#include 
#include 
using namespace std;

class Base {
    public:
        virtual int fun() {return 12;}//虚函数;
};

class D1 : public Base {
    public:
        int fun(int a) {return 10;}//隐藏基类的fun(), 它不是虚函数;
        //D1继承了Base::fun()的定义;
        virtual void f2() {cout << "ans" << endl;}//是一个新的虚函数, 在Base中不存在;
};

class D2 : public D1 {
    public:
        int fun(int a) {return 15;}//是一个非虚函数, 隐藏了D1::fun(int);
        int fun() {return 20;}//覆盖了Base的虚函数fun();
        void f2() {cout << "ans1" << endl;}//覆盖了D1的虚函数f2();
}; 

int main() {
    ios::sync_with_stdio(false);
    cin.tie(NULL);
    Base bobj;
    D1 d1obj;
    D2 d2obj;
    
    Base *bp1 = &bobj, *bp2 = &d1obj, *bp3 = &d2obj;
    cout << bp1 -> fun() << endl;//12;//调用Base::fun();//编译器产生的代码将在运行时确定使用虚函数的哪个版本;
    cout << bp2 -> fun() << endl;//12;//调用Base::fun();//它隐藏了Base::fun(), 没有覆盖;
    cout << bp3 -> fun() << endl;//20;//调用D2::fun();//动态绑定, 调用D2的版本(它覆盖了Base::fun());

    D1 *d1p = &d1obj;
    D2 *d2p = &d2obj;
    //bp2 -> f2();//错误, Base没有名为f2的成员函数;
    d1p -> f2();//ans;//虚调用;
    d2p -> f2();//ans1;//虚调用;

    //对于非虚函数fun(int)的调用语句;
    Base *p1 = &d2obj;//每一个指针都指向了D2类型的对象;
    D1 *p2 = &d2obj;
    D2 *p3 = &d2obj;
    //cout << p1 -> fun(42) << endl;//错误, Base中没有接受一个int的fun;
    cout << p2 -> fun(42) << endl;//静态绑定, 调用D1::fun(int);//10;
    cout << p3 -> fun(42) << endl;//静态绑定, 调用D2::fun(int);//15;
    return 0;
}

你可能感兴趣的:(C++继承练习2)