在C中使用strcpy通过函数初始化结构

时间:2018-12-26 18:00:55

标签: c struct strcpy

我是c语言的初学者,我想知道为什么我的函数feed_struct不将我处理的字符串复制到它。该函数(feed_struct)应该获取输入数据并将其放入我全局定义的结构中。有谁知道为什么这个结构什么都没有发生? 感谢您的提前帮助!

void feed_struct(struct student x, char name [20], char lname [20], double a, char adres [50], int b)
{
    strcpy(x.name, name);
    strcpy(x.lastname, lname);
    x.number = a;
    strcpy(x.adres, adres);
    x.course = b;


}

int main (void)
{
    struct student new_student;
    feed_struct(new_student, "Peter", "Panther", 1230, "El-Lobo-Street 32", 72);
    struct_print(new_student);
    return 0;

}  

2 个答案:

答案 0 :(得分:2)

您正在按值直接将new_student传递给feed_struct。因此,该功能的更改在main中不可见。

您需要将指向struct student的指针传递给feed_struct。然后,您可以取消引用该指针以更改指向的对象。

// first parameter is a pointer
void feed_struct(struct student *x, char name [20], char lname [20], double a, char adres [50], int b)
{
    strcpy(x->name, name);
    strcpy(x->lastname, lname);
    x->number = a;
    strcpy(x->adres, adres);
    x->course = b;


}

int main (void)
{
    struct student new_student;
    // pass a pointer
    feed_struct(&new_student, "Peter", "Panther", 1230, "El-Lobo-Street 32", 72);
    struct_print(new_student);
    return 0;

}  

答案 1 :(得分:0)

您正在按值传递结构。 strcpy调用将字符串复制到结构的本地副本,该副本在函数末尾被丢弃。您应该改为传递一个指向它的指针,以便可以初始化相同的结构:

void feed_struct(struct student* x, /* pointer to struct student */
                 char name [20],
                 char lname [20],
                 double a,
                 char adres [50],
                 int b)
{
    strcpy(x->name, name);
    strcpy(x->lastname, lname);
    x->number = a;
    strcpy(x->adres, adres);
    x->course = b;
}