如何创建和访问 GList 数组?
我试过这个:
GList* clist[5];
for(i = 0; i<5; i++)
clist[i]=g_list_alloc();
clist[0] = g_list_append(clist[0], five);
但它不起作用,它给了我一个段错误,我猜我没有为 clist 正确分配内存。
如何创建和访问 GList 数组?
我试过这个:
GList* clist[5];
for(i = 0; i<5; i++)
clist[i]=g_list_alloc();
clist[0] = g_list_append(clist[0], five);
但它不起作用,它给了我一个段错误,我猜我没有为 clist 正确分配内存。
您误解了 g_list_alloc。它用于分配单个链接,而不是创建列表。g_list_* 函数接受 NULL 指针来表示一个空列表,因此您真正“创建”一个空列表所做的只是将指针设置为 NULL。这意味着您可以摆脱循环,只需执行以下操作:
GList* clist[5] = { NULL, };
一个更完整的例子:
int i, j;
/* Make clist an array of 5 empty GLists. */
GList* clist[5] = { 0, };
/* Put some dummy data in each list, just to show how to add elements. In
reality, if we were doing it in a loop like this we would probably use
g_list_prepend and g_list_reverse when we're done—see the g_list_append
documentation for an explanation. */
for(i = 0; i<5; i++) {
for(j = 0; j<5; j++) {
clist[i] = g_list_append (clist[i], g_strdup_printf ("%d-%d", i, j));
}
}
/* Free each list. */
for(i = 0; i<5; i++) {
if (clist[i] != NULL) {
g_list_free_full (clist[i], g_free);
}
}