c++ 類訪問修飾符
數(shù)據(jù)隱藏是面向?qū)ο缶幊痰囊粋€重要特點,它防止函數(shù)直接訪問類類型的內(nèi)部成員。類成員的訪問限制是通過在類主體內(nèi)部對各個區(qū)域標記 public、private、protected 來指定的。關鍵字 public、private、protected 稱為訪問說明符。
一個類可以有多個 public、protected 或 private 標記區(qū)域。每個標記區(qū)域在下一個標記區(qū)域開始之前或者在遇到類主體結束右括號之前都是有效的。成員和類的默認訪問修飾符是 private。
class base { public: // public members go here protected: // protected members go here private: // private members go here };
1. 公有(public)成員
公有成員在程序中類的外部是可訪問的。您可以不使用任何成員函數(shù)來設置和獲取公有變量的值,如下所示:
#include <iostream> using namespace std; class line { public: double length; void setlength( double len ); double getlength( void ); }; // 成員函數(shù)定義 double line::getlength(void) { return length ; } void line::setlength( double len ) { length = len; } // 程序的主函數(shù) int main( ) { line line; // 設置長度 line.setlength(6.0); cout << "length of line : " << line.getlength() <<endl; // 不使用成員函數(shù)設置長度 line.length = 10.0; // ok: 因為 length 是公有的 cout << "length of line : " << line.length <<endl; return 0; }
當上面的代碼被編譯和執(zhí)行時,它會產(chǎn)生下列結果:
length of line : 6 length of line : 10
2. 私有(private)成員
私有成員變量或函數(shù)在類的外部是不可訪問的,甚至是不可查看的。只有類和友元函數(shù)可以訪問私有成員。
默認情況下,類的所有成員都是私有的。例如在下面的類中,width 是一個私有成員,這意味著,如果您沒有使用任何訪問修飾符,類的成員將被假定為私有成員:
class box { double width; public: double length; void setwidth( double wid ); double getwidth( void ); };
實際操作中,我們一般會在私有區(qū)域定義數(shù)據(jù),在公有區(qū)域定義相關的函數(shù),以便在類的外部也可以調(diào)用這些函數(shù),如下所示:
#include <iostream> using namespace std; class box { public: double length; void setwidth( double wid ); double getwidth( void ); private: double width; }; // 成員函數(shù)定義 double box::getwidth(void) { return width ; } void box::setwidth( double wid ) { width = wid; } // 程序的主函數(shù) int main( ) { box box; // 不使用成員函數(shù)設置長度 box.length = 10.0; // ok: 因為 length 是公有的 cout << "length of box : " << box.length <<endl; // 不使用成員函數(shù)設置寬度 // box.width = 10.0; // error: 因為 width 是私有的 box.setwidth(10.0); // 使用成員函數(shù)設置寬度 cout << "width of box : " << box.getwidth() <<endl; return 0; }
當上面的代碼被編譯和執(zhí)行時,它會產(chǎn)生下列結果:
length of box : 10 width of box : 10
3. 保護(protected)成員
保護成員變量或函數(shù)與私有成員十分相似,但有一點不同,保護成員在派生類(即子類)中是可訪問的。
在下一個章節(jié)中,您將學習到派生類和繼承的知識。現(xiàn)在您可以看到下面的實例中,我們從父類 box 派生了一個子類 smallbox。
下面的實例與前面的實例類似,在這里 width 成員可被派生類 smallbox 的任何成員函數(shù)訪問。
#include <iostream> using namespace std; class box { protected: double width; }; class smallbox:box // smallbox 是派生類 { public: void setsmallwidth( double wid ); double getsmallwidth( void ); }; // 子類的成員函數(shù) double smallbox::getsmallwidth(void) { return width ; } void smallbox::setsmallwidth( double wid ) { width = wid; } // 程序的主函數(shù) int main( ) { smallbox box; // 使用成員函數(shù)設置寬度 box.setsmallwidth(5.0); cout << "width of box : "<< box.getsmallwidth() << endl; return 0; }
當上面的代碼被編譯和執(zhí)行時,它會產(chǎn)生下列結果:
width of box : 5