我正在尝试将多维数组分配给struct中的单元化数组,如下所示:
typedef struct TestStruct
{
int matrix[10][10];
} TestStruct;
TestStruct *Init(void)
{
TestStruct *test = malloc(sizeof(TestStruct));
test->matrix = {{1, 2, 3}, {4, 5, 6}};
return test;
}
我收到了下一个错误:
test.c:14:17: error: expected expression before '{' token
test->matrix = {{1, 2, 3}, {4, 5, 6}};
C分配矩阵的最佳方法是什么?
答案 0 :(得分:4)
您不能以这种方式初始化矩阵。在C99中,您可以改为:
*test = (TestStruct){{{1, 2, 3}, {4, 5, 6}}};
在C99之前,您将使用本地结构:
TestStruct *Init(void) {
static TestStruct init_value = {{{1, 2, 3}, {4, 5, 6}}};
TestStruct *test = malloc(sizeof(TestStruct));
if (test)
*test = init_value;
return test;
}
请注意,结构分配*test = init_value;
基本上等同于使用memcpy(test, &init_value, sizeof(*test));
或嵌套循环,您可以复制test->matrix
的各个元素。
您也可以这样克隆现有矩阵:
TestStruct *Clone(const TestStruct *mat) {
TestStruct *test = malloc(sizeof(TestStruct));
if (test)
*test = *mat;
return test;
}