为什么我的传递引用代码在C中不起作用?

np8igboo  于 2023-06-05  发布在  其他
关注(0)|答案(2)|浏览(143)

有人能指出为什么我在这段代码中得到一个错误,应该怎么修复?这似乎对其他人有效。谢谢你!
我正在尝试编写一个数组引用传递的例子

#include <stdio.h>

void set_array(int array[4]);
void set_int(int x);

int main(void) {
    int a = 10;
    int b[4] = { 0, 1, 2, 3 };
    set_int(a);
    set_array(b);
    printf("%d %d\n", a, b[0]);
}
void set_array(int array[4]) {
    array[0] = 22;
}

void set_int(int x) {
    x = 22;
}
ncecgwcz

ncecgwcz1#

x = 22;
}

为什么这不起作用?
您提供的代码未按预期工作,因为您是通过值而不是通过引用向函数set_arrayset_int传递参数。在C中,函数参数是通过值传递的,这意味着复制参数,并且在函数中对参数进行的任何修改都不会影响原始变量。
set_array函数中,当你修改array[0]时,它会影响原始数组,因为C中的数组是通过引用传递的(数组名充当指向第一个元素的指针)。但是,在set_int函数中,您正在修改局部变量x,它是main函数中a变量的副本。因此,修改不影响原始变量。
要解决此问题,可以修改函数以接受指向变量的指针。下面是代码的更新版本,它演示了指针的正确用法:

#include <stdio.h>

void set_array(int* array);
void set_int(int* x);

int main(void)
{
   int a = 10;
   int b[4] = { 0, 1, 2, 3 };
   set_int(&a);
   set_array(b);
   printf("%d %d\n", a, b[0]);
}

void set_array(int* array)
{
   array[0] = 22;
}

void set_int(int* x)
{
   *x = 22;
}
pobjuy32

pobjuy322#

当你传递一个参数给一个函数时,你实际上是在传递一个值的副本。所以当你这么做的时候

void set_int(int x) {
    x = 22;
}

int main(int argc, char** argv) {
    int a = 20;
    set_int(22);
    printf("%d\n", a);
}

你实际上做的是复制a的值,并把它放到x中,现在你要做的是变量,a和x. x被设置为22,你从函数中返回,C会自动从内存中删除x。
为了得到正确的变量,你可以使用一个整数(技术上是无符号的长整型,但对于我们的目的是整型)值的指针,它表示内存中存储另一个值的点。

int main(int arc, char** argv) {
    int a = 20;
    int* b = &a;
}

在该示例中,B是指向a的类型“int指针”。我们可以更新set_int()函数来“解引用”我们的新指针值。

void set_int(int* x) {
    // Dereference out int* with the * operator
    // y is out original integer a at the same spot in memory
    int y = *x;
    // Because we are using a we can now set it to out value of 22
    y = 22;
}

int main(int arc, char** argv) {
    int a = 20;
    int* b = &a;
    set_int(b);
    // This should print 22
    printf("%d\n", a);
    return 0;
}

请注意,set_int()是这样写的,以帮助理解指针是如何工作的,通常你会把它压缩成一行:

void set_int(int* x) {
    *x = 22;
}

当然,我们也可以压缩我们的调用:

int main(int argc, char** argv) {
    int a = 20;
    set_int(&a);
    printf("%d\n", a);
    return 0;
}

相关问题