4

我正在尝试创建动态变量并在new_test函数内通过引用传递其地址,但它不起作用。我究竟做错了什么?

编码:

#include <iostream>
using namespace std;

struct test
{   
    int a;
    int b;
};  

void new_test(test *ptr, int a, int b)
{   
    ptr = new test;
    ptr -> a = a;
    ptr -> b = b;
    cout << "ptr:   " << ptr << endl; // here displays memory address
};  

int main()
{   

    test *test1 = NULL;

    new_test(test1, 2, 4); 

    cout << "test1: " << test1 << endl; // always 0 - why?
    delete test1;

    return 0;
}
4

2 回答 2

8

代码不会通过引用传递指针,因此对参数的更改对于函数来说ptr是本地的,并且对调用者不可见。改成:

void new_test (test*& ptr, int a, int b)
                  //^
于 2013-09-10T14:55:08.720 回答
1

这里:

void new_test (test *ptr, int a, int b)
{   
    ptr = new test; //<< Here ptr itself is a local variable, and changing it does not affect the value outside the function
    //...

您正在更改指针值本身,因此您需要指向指针的指针或对指针的引用:

指针的指针:

void new_test (test **ptr, int a, int b)
{   
    *ptr = new test;
    (*ptr) -> a = a;
    (*ptr) -> b = b;
    cout << "ptr:   " << *ptr << endl; // here displays memory address
}

并使用:

new_test (&test1, 2, 4);

引用指针:

void new_test (test *& ptr, int a, int b) {/.../ }

我不建议混合指针和引用,因为它使程序难以阅读和跟踪。但这是个人喜好。

于 2013-09-10T15:09:25.410 回答