1

我想创建一个打印方法来打印出 MyType 中的 int 和 string 值。但是它只适用于 doIt1。如何修改打印方法,有人可以帮忙吗?

#include<stdio.h>
#include<string.h>
typedef struct {
    int i;
    char s[1024];
} MyType;

doIt1(MyType *mt, int ii, char *ss){
    mt->i=ii;
    strcpy(mt->s, ss);
}

doIt2(MyType mt, int ii, char *ss){
    mt.i=ii;
    strcpy(mt.s, ss);
}

void print(MyType mt){
     print("%d\n", mt.i);
     print("%s\n", mt.s);
}

int main(int argc, char ** argv){
    MyType mt1, mt2;
    doIt1(&mt1, 12, "Other Stuff");
    doIt2(mt2, 7, "Something");
    print(mt1); // print out mt1
    print(mt2); // print out mt2
}
4

1 回答 1

0

在中,您是按值doit2传递,也就是说,您正在制作副本。mt

doit2函数内部,mt不是 的别名:它是另一个在退出mt2时将被丢弃的变量。doit2

简单地说,当你打电话时

doIt2(mt2, 7, "Something");

您的代码将执行以下操作(简化):

{
    MyType mt2_tmp = mt2;
    /* execute doIt2 passing the copy, mt2_tmp, to the function */
    doIt2(mt2_tmp, 7, "Something");
    /* the function exits and the copy is thrown away */
}
于 2012-04-18T17:13:38.977 回答