其他分享
首页 > 其他分享> > 类的继承

类的继承

作者:互联网

继承类(子类)继承基类(父类)的成员变量,及其函数的访问权。
继承访问权限参考链接:https://blog.51cto.com/967243153/2064579
1.类的方法(函数)(访问权)的继承
1.1 子类继承父类的虚函数和非虚函数

点击查看代码
#include<iostream>

using namespace std;

class Shape{
public:
    virtual void draw() {
        cout << "draw one shape" << endl;
    }
    void color() {
        cout << "color one shape" << endl;
    }
    virtual ~Shape() {};
};

class Circle : public Shape {
  
}; 


int main() {
    Circle circle;
    circle.draw();
    circle.color();
    return 0;
}

1.2子类重写(overwrite)父类方法
点击查看代码
#include<iostream>

using namespace std;

class Shape{
public:
    virtual void draw() {
        cout << "draw one shape" << endl;
    }
    void color() {
        cout << "color one shape" << endl;
    }
    virtual ~Shape() {};
};

class Circle : public Shape {
public:
    virtual void draw() {
        cout << "draw one circle" << endl;
    }
    void color() {
        cout << "color one circle" << endl;
    }
}; 


int main() {
    Shape shape;
    shape.draw();
    shape.color();
    
    Circle circle;
    circle.draw();
    circle.color();
    return 0;
}
mark:基类成员函数和派生类成员函数不会构成重载,如果派生类有同名函数,那么就会遮蔽基类中的所有同名函数,不管它们的参数是否一样。如实例中的 circle.draw(); 如果父类中出现函数重载(函数同名不同参),且子类重写其中任一函数,子类将无法调用父类方法。
点击查看代码
#include<iostream>

using namespace std;

class Shape{
public:
    virtual void draw() {
        cout << "draw one shape" << endl;
    }
    void draw(int) {
        cout << "color one shape" << endl;
    }
    virtual ~Shape() {};
};

class Circle : public Shape {
public:
    void draw(int) {
        cout << "color one shape" << endl;
    }
    
}; 


int main() {
    Circle circle;
    circle.draw();//no matching function for call
    circle.draw(0);
    return 0;
}

2.类的成员变量的继承

标签:draw,函数,继承,子类,基类,父类
来源: https://www.cnblogs.com/data-man/p/16388344.html