程序中的变量只是一段存储空间的别名,在指针声明时表示所声明的变量为指针,但在指针使用时,表示取指针所指向的内存空间中的值。下图可以很好的诠释指针的定义,指针变量P指向变量i的地址:
下面一段程序是对const和使用时的注意事项:
#include <stdio.h>
int main()
{
int i = 0;
const int* p1 = &i;
int const* p2 = &i;
int* const p3 = &i;
const int* const p4 = &i;
*p1 = 1; // compile error
p1 = NULL; // ok
*p2 = 2; // compile error
p2 = NULL; // ok
*p3 = 3; // ok
p3 = NULL; // compile error
*p4 = 4; // compile error
p4 = NULL; // compile error
return 0;
}