重新分配项目列表的问题。我试图将项添加到testList结构项中,但我在尝试添加或打印单个ListItems的值时遇到内存地址错误。任何帮助将不胜感激。
struct ListItems
{
int id;
int name;
};
struct testList
{
struct ListItems** items;
int count;
int size;
};
struct Test
{
struct testList* list;
};
void printArray(struct testList* list)
{
for (int i = 0; i < list->count; i++)
{
printf("id=%i, name= %i \n", list->items[i]->id, list->items[i]->name);
fflush(stdout);
}
printf("printing accomplished \n");
fflush(stdout);
}
void growArray(struct testList* list, struct ListItems* item)
{
int size = list->size;
list->items[list->count++] = item;
struct ListItems** user_array = list->items;
//printf("array count %i, array size %i \n", list->count, size);
if (list->size == list->count)
{
struct ListItems* temp = realloc(*user_array, (size * 2) * sizeof (struct ListItems));
if (temp == NULL)
{
printf("it's all falling apart! \n");
}
else
{
*user_array = temp;
list->size = size * 2;
}
}
}
/*
*
*/
int main(int argc, char** argv)
{
struct Test* test = (struct Test*) malloc(sizeof (struct Test));
test->list = (struct testList*) malloc(sizeof (struct testList));
test->list->count = 0;
test->list->size = 1;
test->list->items = (struct ListItems**) malloc(sizeof (struct ListItems*));
for (int i = 0; i < 32; i++)
{
struct ListItems* item = (struct ListItems*) malloc(sizeof (struct ListItems));
item->id = i;
item->name = i;
growArray(test->list, item);
}
printArray(test->list);
for (int j = 0; j < sizeof (test->list->items); j++)
{
free(test->list->items[j]);
}
free(test->list->items);
free(test->list);
free(test);
}
答案 0 :(得分:0)
您的growArray()
需要更新list->items
。在当前的代码中,它将永远指向1个元素大小的区域。
编辑:
你的realloc()
为sizeof (struct ListItems))
分配,但指针包含指针,而不是元素。
我会写:
void growArray(struct testList* list, struct ListItems* item)
{
if (list->size <= list->count) {
size_t new_size = 2 * list->size;
struct ListItems** temp = realloc(list->items, new_size * sizeof temp[0]);
assert(temp);
list->size = new_size;
list->items = temp;
}
list->items[list->count] = item;
++list->count;
}
有了这个,您不需要list->items = malloc(...)
中的初始main()
,但可以指定NULL
。
编辑:
for (int j = 0; j < sizeof (test->list->items); j++)
没有意义;你可能想要j < test->list->count
。
答案 1 :(得分:0)
问题始于struct testList
的声明。指向items
数组的指针应该只有一个*
:
struct testList
{
struct ListItems* items; // Changed from pointer-to-pointer
int count;
int size;
};
这会强制代码中的其他一些更改。