C++ 类的继承与派生(三)保护继承

注意:本文中代码均使用 Qt 开发编译环境
保护继承(protected)
(1)基类的public和protected成员都以protected身份出现在派生类中,但基类的private成员不可访问
(2)派生类中的成员函数可以直接访问基类中的public和protected成员,但不能访问基类的private成员
(3)通过派生类的对象不能访问基类的任何成员

protected成员的特点与作用
(1)对建立其所在类对象的模块来说(水平访问时),它与private成员的性质相同
(2)对于其派生类来说(垂直访问时),它与public成员的性质相同
(3)即实现了数据的隐藏,又方便继承,实现代码重用

一个错误做法的实例:

class A{
protected:
    int x;  // 内部可用
};

int main(){ //外部不能用
    A a;
    a.x=5;  //错误!!!只有public可以这样用
}

例如:保护继承举例

#include 
#include 

class Point {
public:
    void initP(float xx=0,float yy=0){
        X = xx;
        Y = yy;
    }

protected:
    void move(float xOff,float yOff){
        X += xOff;
        Y += yOff;
    }

    float getX(){
        return X;
    }

    float getY(){
        return Y;
    }

private:
    float X,Y;
};



class Rectangle:protected Point {
public:
    void initR(float x, float y, float w, float h){
        initP(x,y);
        W = w;
        H = h;
    }

    void move(float xOff,float yOff){
        Point::move(xOff,yOff);//访问基类私有成员
    }

    float getX(){
        return Point::getX();
    }

    float getY(){
        return Point::getY();
    }

    float getH(){
        return H;
    }

    float getW(){
        return W;
    }

private:
    float W,H;
};

int main(int argc, char *argv[])
{
    QCoreApplication a(argc, argv);

    Rectangle rect;
    rect.initR(2,3,20,10);
    rect.move(3,2);

    qDebug() << rect.getX() << "," << rect.getY() << ","
             << rect.getW() << "," << rect.getH();

    return a.exec();
}

运行结果:
5 , 5 , 20 , 10

你可能感兴趣的:(C++ 类的继承与派生(三)保护继承)