1. 先看一段代码
#include<iostream>
using namespace std;
int a = 0;
void test1(int *p)
{
p = &a;
}
void test2(int *p)
{
*p = a;
}
int main()
{
int b = 1;
int *c = &b;
test1(c);
cout << *c << endl;
test2(c);
cout << *c << endl;
return 0;
}
执行结果
形参在函数调用时分配内存,test1()中的p=&a,是将a的地址赋给形参p,调用test1(c)时,是将c的值,也就是&b先赋给形参p。然后在函数体内p的值又被赋为&a。但是c的值并没有改变,而是&b。
形参在函数调用时分配内存,test2()中的*p=a,是将a的值赋给形参p,调用test2(c)时,是将c的值,也就是&b先赋给形参p。然后在函数体内*p 等于*(&b),所以*p = a 等价于*(&b)= a。 又由于c 等于&b,所以*c 等于 a。