const表示常量
在C语言中没有常量关键字,只能用#define来代替,但可能产生问题
如:
#define Add a+b
在后面的调用
a=1;
b=2;
sum = Add *3;
sum计算结果为7,不是(1+2)*3的结构9,如果要得到加完后再乘以3,则需要将Add修改为
#define Add (a+b)
1 #include<iostream> 2 using namespace std; 3 int main(){ 4 int a1=3; ///non-const data 5 const int a2=a1; ///const data 6 7 int * a3 = &a1; //non-const data,non-const pointer 8 const int * a4 = &a1; //const data,non-const pointer 9 int * const a5 = &a1; //non-const data,const pointer 10 int const * const a6 = &a1; //const data,const pointer 11 const int * const a7 = &a1; //const data,const pointer 12 13 return 0; 14 }
在C++中可以直接使用const
const修饰指针变量时
(1)只有一个const,如果const位于*左侧,表示指针所指数据是常量,不能通过解引用修改该数据;指针本身是变量,可以指向其他的内存单元。
(2)只有一个const,如果const位于*右侧,表示指针本身是常量,不能指向其他内存地址;指针所指的数据可以通过解引用修改。
(3)两个const,*左右各一个,表示指针和指针所指数据都不能修改。
const修饰函数的参数
例如
void f1(const int i) {
i++;
}
这里的const表明:变量储值不会被函数f1()改变。然而,由于参数是按值传递的,因此要立即产生原变量的副本。
const修饰成员函数
(1) const修饰的成员函数不能修改任何的成员变量(mutable修饰的变量除外)
(2) const成员函数不能调用非onst成员函数,因为非const成员函数可以修改成员变量;不修改数据成员的任何函数都应该把它们声明为const
const修饰函数返回值
(1) 指针传递
如果返回const data,non-const pointer,返回值也必须赋给const data,non-const pointer。因为指针指向的数据是常量不能修改。
1 const int * mallocA(){ ///const data,non-const pointer 2 int *a=new int(2); 3 return a; 4 } 5 6 int main() 7 { 8 const int *a = mallocA(); 9 ///int *b = mallocA(); ///编译错误 10 return 0; 11 }
(2) 值传递
如果函数返回值采用“值传递方式”,由于函数会把返回值复制到外部临时的存储单元中,加const 修饰没有任何价值。所以,对于值传递来说,加const没有太多意义。
所以:
不要把函数int GetInt(void) 写成const int GetInt(void)。
不要把函数A GetA(void) 写成const A GetA(void),其中A 为用户自定义的数据类型。
(3) 如果需要在在const对象中修改一个数据成员,成员变量应需声明为mutable
例如:
1 class Z { 2 int i; 3 mutable int j; 4 public: 5 Z(); 6 void f() const; 7 }; 8 9 Z::Z : i(0), j(0); { } 10 11 void Z::f() const { 12 //i++; //Error -- const member function 13 j++; //OK:mutable 14 } 15 16 int main() 17 { 18 const Z zz; 19 zz.f(); 20 }