如果这两个结构体变量类型一样,是可以直接赋值的,如果类型不一样,那肯定不能直接赋值。如:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct Test
{
int index;
int value;
int array[2];
char *ptr;
};
int main(void)
{
char *p = (char*)malloc(12);
struct Test t = {1, 0, {100, 200}, p};
memcpy(t.ptr, "aaaa", 12);
t.ptr[12] = '\0';
printf("t.index = %d, t.value = %d, t.array[0] = %d, t.array[1] = %d, t.ptr = %s\n",
t.index, t.value, t.array[0], t.array[1], t.ptr);
struct Test t1 = t;
printf("t1.index = %d, t1.value = %d, t1.array[0] = %d, t1.array[1] = %d, t1.ptr = %s\n",
t1.index, t1.value, t1.array[0], t1.array[1], t1.ptr);
return 0;
}
?这样看用起来是没有问题,但这里隐藏了一个问题:指针的释放。结构体变量间的赋值应该只是简单的值拷贝,即上面的代码,t1=t 后,已经有两个指针指向同一个资源,那释放就成了一个问题,怎么不造成重复释放问题,如 main 函数必成这样: ?
int main(void)
{
char *p = (char*)malloc(12);
struct Test t = {1, 0, {100, 200}, p};
memcpy(t.ptr, "aaaa", 12);
t.ptr[12] = '\0';
printf("t.index = %d, t.value = %d, t.array[0] = %d, t.array[1] = %d, t.ptr = %s\n",
t.index, t.value, t.array[0], t.array[1], t.ptr);
struct Test t1 = t;
printf("t1.index = %d, t1.value = %d, t1.array[0] = %d, t1.array[1] = %d, t1.ptr = %s\n",
t1.index, t1.value, t1.array[0], t1.array[1], t1.ptr);
free(t.ptr);
free(t1.ptr);
return 0;
}
加了2行代码:
?free(t.ptr); ?free(t1.ptr);
结果会是怎样呢?
出现了double free这个重复释放的运行时错误。如果在C++中,这就是一个涉及深拷贝的问题,但如果这是纯C中呢,怎么避免这种问题呢?想到好办法的同学可以@我一下。
|