基本介紹
- 中文名:私有繼承
- 外文名:private
- 領域:C++程式語言
- 派生類:私有派生類
- 基類:私有基類
私有繼承作用,
私有基類的公用成員和保護成員在私有派生類中的訪問屬性相當於派生類中的私有成員,即派生類的成員函式能訪問它們,而在派生類外不能訪問它們。私有基類的私有成員在派生類中稱為不可訪問的成員,只有基類的成員函式可以引用它們,一個基類成員在基類中的訪問屬性和在私有派生類中的訪問屬性可能是不相同的。私有基類的成員在私有派生類中的訪問屬性見下表:
私有基類中的成員 | 在私有派生類中的訪問屬性 |
私有成員 公用成員 保護成員 | 不可訪問 私有 私有 |
例:
class Student1: private Student
{public:
void display_1()
{ cout<<"age:"<<age<<endl;
cout<<"address:"<<addr<<endl;
private:
int age;
string addr;
};
私有繼承作用
看下面一個例子:
class engine {
public :
void start() {cout << "engine->start" << endl;}
void move() {cout << "engine->move" << endl;}
void stop() {cout << "engine->stop" << endl;}
};
public :
void start() {cout << "engine->start" << endl;}
void move() {cout << "engine->move" << endl;}
void stop() {cout << "engine->stop" << endl;}
};
class wheel {
public :
void start() {cout << "wheel->start" << endl;}
void move() {cout << "wheel->move" << endl;}
void stop() {cout << "wheel->stop" << endl;}
};
public :
void start() {cout << "wheel->start" << endl;}
void move() {cout << "wheel->move" << endl;}
void stop() {cout << "wheel->stop" << endl;}
};
class car : private engine, private wheel {
public :
void start();
void move();
void stop();
};
public :
void start();
void move();
void stop();
};
void car::start() {
engine::start();
wheel::start();
}
engine::start();
wheel::start();
}
void car::move() {
engine::move();
wheel::move();
}
engine::move();
wheel::move();
}
void car::stop() {
engine::stop();
wheel::stop();
}
engine::stop();
wheel::stop();
}
int main(int argc, char* argv[]) {
car ca;
ca.start();
ca.move();
ca.stop();
return 0;
}
car ca;
ca.start();
ca.move();
ca.stop();
return 0;
}
例子中類car私有繼承自類engine和類wheel,類car的三個成員函式start()、move()、stop()分別通過調用類engine和類wheel的成員函式實現,這樣做的好處在於不需要重寫而直接使用繼承自基類的函式,同時因為是私有繼承,能通過類car的對象不能直接調用類engine和類wheel的函式,防止不必要函式的曝光,因為對於使用類car對象的用戶來說並不需要關心start()、move()、stop()的具體實現過程,也不需要控制engine和wheel的動作。