下面隨筆說明C++共享數據保護機制。ios
共享數據的保護數組
對於既須要共享、又須要防止改變的數據應該聲明爲常類型(用const進行修飾)。函數
對於不改變對象狀態的成員函數應該聲明爲常函數。spa
(1)常類型指針
①常對象:必須進行初始化,不能被更新。code
const 類名 對象名對象
②常成員blog
用const進行修飾的類成員:常數據成員和常函數成員接口
③常引用:被引用的對象不能被更新。get
const 類型說明符 &引用名
④常數組:數組元素不能被更新(詳見第6章)。
類型說明符 const 數組名[大小]...
⑤常指針:指向常量的指針(詳見第6章)。
(2)常對象
用const修飾的對象
1 例: 2 3 class A 4 5 { 6 7 public: 8 9 A(int i,int j) {x=i; y=j;} 10 11 ... 12 13 private: 14 15 int x,y; 16 17 }; 18 19 A const a(3,4); //a是常對象,不能被更新
(3)常成員
用const修飾的對象成員
①常成員函數
使用const關鍵字說明的函數。
常成員函數不更新對象的數據成員。
常成員函數說明格式:
類型說明符 函數名(參數表)const;
這裏,const是函數類型的一個組成部分,所以在實現部分也要帶const關鍵字。
const關鍵字能夠被用於參與對重載函數的區分
經過常對象只能調用它的常成員函數。
②常數據成員
使用const說明的數據成員。
1 //常成員函數舉例 2 3 #include<iostream> 4 5 using namespace std; 6 7 class R { 8 9 public: 10 11 R(int r1, int r2) : r1(r1), r2(r2) { } 12 13 void print(); 14 15 void print() const; 16 17 private: 18 19 int r1, r2; 20 21 }; 22 23 24 25 void R::print() { 26 27 cout << r1 << ":" << r2 << endl; 28 29 } 30 31 void R::print() const { 32 33 cout << r1 << ";" << r2 << endl; 34 35 } 36 37 int main() { 38 39 R a(5,4); 40 41 a.print(); //調用void print() 42 43 const R b(20,52); 44 45 b.print(); //調用void print() const 46 47 return 0; 48 49 }
1 //常數據成員舉例 2 3 #include <iostream> 4 5 using namespace std; 6 7 class A { 8 9 public: 10 11 A(int i); 12 13 void print(); 14 15 private: 16 17 const int a; 18 19 static const int b; //靜態常數據成員 20 21 }; 22 23 24 25 const int A::b=10; 26 27 A::A(int i) : a(i) { } 28 29 void A::print() { 30 31 cout << a << ":" << b <<endl; 32 33 } 34 35 int main() { 36 37 //創建對象a和b,並以100和0做爲初值,分別調用構造函數, 38 39 //經過構造函數的初始化列表給對象的常數據成員賦初值 40 41 A a1(100), a2(0); 42 43 a1.print(); 44 45 a2.print(); 46 47 return 0; 48 49 }
(4)常引用
若是在聲明引用時用const修飾,被聲明的引用就是常引用。
常引用所引用的對象不能被更新。
若是用常引用作形參,便不會意外地發生對實參的更改。常引用的聲明形式以下:
const 類型說明符 &引用名;
1 //常引用做形參 2 3 #include <iostream> 4 5 #include <cmath> 6 7 using namespace std; 8 9 class Point { //Point類定義 10 11 public: //外部接口 12 13 Point(int x = 0, int y = 0) 14 15 : x(x), y(y) { } 16 17 int getX() { return x; } 18 19 int getY() { return y; } 20 21 friend float dist(const Point &p1,const Point &p2); 22 23 private: //私有數據成員 24 25 int x, y; 26 27 }; 28 29 30 31 float dist(const Point &p1, const Point &p2) { 32 33 double x = p1.x - p2.x; 34 35 double y = p1.y - p2.y; 36 37 return static_cast<float>(sqrt(x*x+y*y)); 38 39 } 40 41 42 43 int main() { //主函數 44 45 const Point myp1(1, 1), myp2(4, 5); 46 47 cout << "The distance is: "; 48 49 cout << dist(myp1, myp2) << endl; 50 51 return 0; 52 53 }