写给刚入坑 CSE 的并且不怎么想研究代码的 COGS 大佬
以及所有初学者非专业 coder
const int a; int const a; const int *a; int * const a; int const * const a ; 之间的区别?
- const int a; int const a; 这两个写法是等同的,表示a是一个int常量。
- const int *a; 表示a是一个指针,可以任意指向int常量或者int变量,它总是把它所指向的目标当作一个int常量。也可以写成int const* a;含义相同。
- int * const a; 表示a是一个指针常量,初始化的时候必须固定指向一个int变量,之后就不能再指向别的地方了。
- int const * a const;这个写法没有,倒是可以写成int const * const a;表示a是一个指针常量,初始化的时候必须固定指向一个int常量或者int变量,之后就不能再指向别的地方了,它总是把它所指向的目标当作一个int常量。也可以写成const int* const a;含义相同。
- 对于const int *a和int *const a,可以理解为:const int *a中const修饰*a,但是a可变,只要a指向的目标是const类型就可以;而int *const a中const修饰a,一旦指向则不能改写,但是可以修改*a的值
const 关键字的用法
No. | 作用 | 说明 | 参考代码 |
1 | 可以定义const常量 | const int Max = 100; | |
2 | 便于进行类型检查 | const常量有数据类型,而宏常量没有数据类型。编译器可以对前者进行类型安全检查,而对后者只进行字符替换,没有类型安全检查,并且在字符替换时可能会产生意料不到的错误 | void f(const int i) { ………} |
3 | 可以保护被修饰的东西 | 防止意外的修改,增强程序的健壮性。 | void f(const int i) { i=10;//error! } |
4 | 可以很方便地进行参数的调整和修改 | 同宏定义一样,可以做到不变则已,一变都变 | |
5 | 为函数重载提供了一个参考 | class A | |
6 | 可以节省空间,避免不必要的内存分配 | const定义常量从汇编的角度来看,只是给出了对应的内存地址,而不是象#define一样给出的是立即数,所以,const定义的常量在程序运行过程中只有一份拷贝,而#define定义的常量在内存中有若干个拷贝 | #define PI 3.14159 //常量宏 |
7 | 提高了效率 | 编译器通常不为普通const常量分配存储空间,而是将它们保存在符号表中,这使得它成为一个编译期间的常量,没有了存储与读内存的操作,使得它的效率也很高 |
reference ‘&’ 的错误用法
int & pi; // illegal (uninitialized reference) char&& ppc; // illegal (no reference to reference) int& ap[15]; // illegal (can't create array of references) int & const b = a; //illegal ('const' qualifiers cannot be applied to 'int&') //仔细想想,根本没办法给一个reference重新指定对象不是吗 const int & b = a; // legal! (无论a是否const,b都会将其当做const) int& f(char&); legal! Function taking a char&, returns a reference to int
Pass by reference
void muck(Foo f); //bad, how big is 'Foo'? void muck(Foo& f); //bad, might accidentally modify original void muck(const Foo& f); //good - no copy, and still read-only
Pass by pointer
// bad use for Shape, requires a value // good use for Transform, NULL would be acceptable void drawShape(Shape * s, Transform * t); // bad, a “set” function requires a non-NULL value void setValues(vector* v); // good use for Shape, but now Transform is required // (consider overloading the function) void drawShape(Shape& s, Transform& t); // good void setValues(vector& v);