复制STRUCT到一个指针阵列中的一个函数C(Copying Struct to a Pointer

2019-10-24 04:30发布

我在C分配内存的一大问题

我有这个结构

typedef struct{
int x;
int y;
}T;

我想创建一个函数,动态地将结构的指针。 就像是:

int main()
{
 T* t;
 f(&t);
 free(t);
}

到这一点,我认为一切都很好,现在的功能是我迷路

void f(T** t)
{
 T t1;
 T t2;
 T t3;
 //first i malloc
 *t=malloc(sizeof(T)*T_MAX_SIZE);//i want another function to make the array bigger, but this is not as important as the problem
 t1.x=11;
 t1.y=12;
 t2.x=21;
 t2.y=22;
 t3.x=31;
 t3.y=32;
//now i want to copy the values from t1,t2,t3 to t[0],t[1],t[2]
 memcpy(&(*t[0]),&t1,sizeof(T));
 memcpy(&(*t[1]),&t2,sizeof(T));
 memcpy(&(*t[2]),&t3,sizeof(T));


}

我不知道复制这些结构的正确途径。

这样做的关键是使用吨该功能的(主)

非常感谢:d

Answer 1:

memcpy调用不正确。

在表达式&(*t[0])中,阵列指数顶部优先级,其次是指针间接。 因此,与明确的括号它看起来像&(*(t[0]))

因此,它首先尝试数组下标t ,这是的地址t主。 在的情况下, t[0]它仍然有效,但t[1]引用过去的东西该变量,调用未定义的行为。 你想要什么样的数组索引t指出,这是(*t)[i]

所以memcpy的调用应该是:

memcpy(&((*t)[0]),&t1,sizeof(T));
memcpy(&((*t)[1]),&t2,sizeof(T));
memcpy(&((*t)[2]),&t3,sizeof(T));


Answer 2:

你不需要任何复印功能于一个结构分配给另一个 - 您只需把它们等同起来。 所以,如果你有

T var1 = {1, 2};
T var2 = var1;

整个的var1被复制到var2 。 修改您的(简化)程序:

#include <stdio.h>
#include <stdlib.h>

#define T_MAX_SIZE 10

typedef struct{
    int x;
    int y;
}T;

void f(T** t)
{
    T t1;
    *t=malloc(sizeof(T)*T_MAX_SIZE);
    t1.x=11;
    t1.y=12;
    (*t)[0] = t1;
}

int main(void) {
    T* t;
    f(&t);
    printf ("Result %d %d\n", t[0].x, t[0].y);
    free(t);
    return 0;
}

程序的输出:

Result 11 12


文章来源: Copying Struct to a Pointer array in a function C