所以我对指针有一个合理的理解,但有人问我它们之间的区别是什么:
void print(int* &pointer)
void print(int* pointer)
我自己还是个学生,我不是 100%。如果这是基本的,我很抱歉,但我的谷歌搜索技能让我失望了。无论如何你可以帮助我更好地理解这个概念。好久没用过c++了,想帮一个学生辅导一下,也想为她巩固一下我的概念知识。
第一个通过引用传递指针,第二个通过值传递。
如果您使用第一个签名,您可以修改指针指向的内存以及它指向的内存。
例如:
void printR(int*& pointer) //by reference
{
*pointer = 5;
pointer = NULL;
}
void printV(int* pointer) //by value
{
*pointer = 3;
pointer = NULL;
}
int* x = new int(4);
int* y = x;
printV(x);
//the pointer is passed by value
//the pointer itself cannot be changed
//the value it points to is changed from 4 to 3
assert ( *x == 3 );
assert ( x != NULL );
printR(x);
//here, we pass it by reference
//the pointer is changed - now is NULL
//also the original value is changed, from 3 to 5
assert ( x == NULL ); // x is now NULL
assert ( *y = 5 ;)
第一个通过引用传递指针。如果您通过引用传递,该函数可以更改传递参数的值。
void print(int* &pointer)
{
print(*i); // prints the value at i
move_next(i); // changes the value of i. i points to another int now
}
void f()
{
int* i = init_pointer();
while(i)
print(i); // prints the value of *i, and moves i to the next int.
}