一、改变指针变量的地址可以改变指针所指向变量的内存空间,进而改变*号加上指针变量的值,还有可能通过指针变量前加上*号进而修改变量的值,所以在用完指针变量时,一定要释放指针变量所指向的内存空间。使指针变量的值变为0,即让指针变量指空,释放指针变量所指向的内存空间。下面一段示例代码演示的就是这个意思。
#include <iostream>
using namespace std;
int main()
{
int i = 1 , j = 3;
int *p;
p = &i;
cout<<"i:"<<i<<endl;
cout<<"&i:"<<&i<<endl;
cout<<"j:"<<j<<endl;
cout<<"&j:"<<&j<<endl;
cout<<"p:"<<p<<endl;
cout<<"*p:"<<*p<<endl;
p = &j;
cout<<"指针p更换地址后:"<<endl;
cout<<"i:"<<i<<endl;
cout<<"&i:"<<&i<<endl;
cout<<"j:"<<j<<endl;
cout<<"&j:"<<&j<<endl;
cout<<"p:"<<p<<endl;
cout<<"*p:"<<*p<<endl;
cout<<"释放指针p所指向的内存空间"<<endl;
p = 0;
cout<<"p:"<<p<<endl;
return 0;
}