C不支持通过引用传递变量。怎么做?

时间:2015-01-19 18:33:17

标签: c++ c pointers reference

这是C ++代码:

void Foo(char* k, struct_t* &Root) 

如何在纯C中实现它?

1 个答案:

答案 0 :(得分:1)

你是对的,C不支持通过引用传递(因为它是由C ++定义的)。但是,C支持传递指针。

从根本上说,指针是引用。指针是存储变量可以定位的存储器地址的变量。因此,标准指针是可比较的C ++引用。

因此,在您的情况下,void Foo(char *k, struct_t* &Root)void Foo(char *k, struct_t **Root)类似。要访问Root函数中的Foo结构,您可以这样说:

void Foo(char *k, struct_t **Root){
    // Retrieve a local copy of the 1st pointer level
    struct_t *ptrRoot = *Root;
    // Now we can access the variables like normal
    // Perhaps the root structure contains an integer variable:
    int intVariable = ptrRoot->SomeIntegerVariable;
    int modRootVariable = doSomeCalculation(intVariable);
    // Perhaps we want to reassign it then:
    ptrRoot->SomeIntegerVariable = modRootVariable;
}

因此,只传递指针相当于传递引用。