1) 定義常量
有時(shí)候我們希望定義這樣一種變量, 它的值不能被改變。
為了滿足這一 要求, 可以用關(guān)鍵字 const 對(duì)變量的類型加以限定。
const對(duì)象一旦創(chuàng)建后其值就不能再改變,所以const對(duì)象必須在定義的時(shí)候就初始化。
初始值可以是任意復(fù)雜的表達(dá)式。
與非const類型所能參與的操作相比,const 類型的對(duì)象能完成其中大部分;
主要的限制就是只能在 const 類型的對(duì)象上執(zhí)行不改變其內(nèi)容的操作。
// const int max ; //error: uninitialized const 'max' const int max = 100 ; cout << max << endl ; int j = max ; cout << j << endl ;// max = j ; //error: assignment of read-only variable 'max'
const定義常量與define的區(qū)別:
const是有類型的,可以做類型檢查;define只是替換,是沒有類型檢查的,容易出錯(cuò)。
所以在C++推薦的做法是使用const,不推薦使用define
2) 定義常量指針
const T *用于定義常量指針。
不可通過常量指針修改其指向的內(nèi)容
int n = 4 ; const int *p = &n ;// *p = 5 ; // error: assignment of read-only location '* p'
常量指針指向的位置可以變化
int n = 4 ; const int *p = &n ; n =5 ; int m = 6 ; p = &m ; cout << *p << endl ;
不能把常量指針賦值給非常量指針,反過來(lái)可以
int n = 4 ; const int *p = &n ; n =5 ; int m = 6 ; p = &m ; int * p2 = &n ; p = p2 ; // no error cout << *p << endl ;// p2 = p ; //error: invalid conversion from 'const int*' to 'int*'
3) 定義常引用
不能通過常引用修改其引用的變量
const int &r = m ; cout << r << endl ;// r = n ; //error: assignment of read-only reference 'r'
const T 類型的常變量和 const T & 類型的引用則不能用來(lái)初始化 T & 類型的引用
T &類型的引用 或 T類型的變量可以用來(lái)初始化 const T & 類型的引用。
int & r = m ; const int &t = r ;// int & y = t ; // error: binding reference of type 'int&' to 'const int' discards qualifiers
參考代碼:
#include <iostream>#include <cstdio>using namespace std;int main (){// const int max ; //error: uninitialized const 'max' const int max = 100 ; cout << max << endl ; int j = max ; cout << j << endl ;// max = j ; //error: assignment of read-only variable 'max' int n = 4 ; const int *p = &n ;// *p = 5 ; // error: assignment of read-only location '* p' cout << *p << endl ; n =5 ; cout << *p << endl ; int m = 6 ; p = &m ; cout << *p << endl ; int * p2 = &n ; p = p2 ; cout << *p << endl ;// p2 = p ; //error: invalid conversion from 'const int*' to 'int*' int & r = m ; const int &t = r ; cout << t << endl ;// t = n ; //error: assignment of read-only reference 't'// int & y = t ; // error: binding reference of type 'int&' to 'const int' discards qualifiers return 0 ;}
輸出結(jié)果:
g++ const_pointer.cpp./a.out10010045656