C++私有继承
程序员文章站
2022-03-01 14:54:20
...
当遇到
class A : private B
{...};
就是私有继承,它有一些特性:基类的成员会成为派生类的私有成员,所以有如下示例
#include <cstdlib>
#include <iostream>
using namespace std;
class Engine
{
public:
Engine(int numCylinders) {}
void start() {cout << "start" << endl;}
};
class Car : public Engine
{
public:
Car() : Engine(8) {}
//using Engine::start;
};
int main(int argc, char *argv[])
{
Car c;
c.start();
system("PAUSE");
return EXIT_SUCCESS;
}
要想让c.start()执行,就要有using Engine::start。(补:Car() : Engine(8) {} 相当于java继承机制中的super用法)
此外私有继承还有一个特性:派生类对象不能向上转型为基类对象,即不能出现Engine e = (Engine) c。
通常,应使用包含来建立has-a关系,如果新类需要访问原有类的保护成员,或需要重新定义虚函数,则应使用私有继承。