将非pod结构插入GHashTable

时间:2010-04-19 10:32:48

标签: c struct hashtable glib

我正在尝试构建一个包含整数,一个time_t和一些char *的结构实例的GHashTable。

我的问题是,如何将结构实例插入GHashTable?有很多关于如何插入字符串或int的示例(分别使用g_str_hash和g_int_hash),但我猜我想使用g_direct_hash,我似乎无法找到任何示例。

理想情况下,我的代码看起来像这样:

GHashtable table;
table = g_hash_table_new(g_direct_hash, g_direct_equal);
struct mystruct;
mystruct.a = 1;
mystruct.b = "hello";
mystruct.c = 5;
mystruct.d = "test";

g_hash_table_insert(table,mystruct.a,mystruct);

显然,这是不正确的,因为它不能编译。任何人都可以提供一个做我想做的事情的例子吗? 谢谢, Rik

3 个答案:

答案 0 :(得分:2)

您无法插入自动变量;您必须为动态存储的数据分配内存,即使用g_malloc()或等效的。

然后,您需要找出一种从数据中计算哈希值的方法,以帮助提高表效率。在这里使用g_direct_hash()并不是很好;它将使用指向数据的指针作为哈希值。

好像你想用你的结构的成员a作为关键;这个领域是什么类型的?如果是整数,则可以使用g_int_hash()

我认为这更符合您的实际代码应该是这样的:

GHashtable *table;
struct mystruct *my;

table = g_hash_table_new_full(g_int_hash, g_int_equal, NULL, g_free);
my = g_malloc(sizeof *my);
my->a = 1;
my->b = "hello";
my->c = 5;
my->d = "test";

g_hash_table_insert(table, GINT_TO_POINTER(my->a), my);

请注意,这假设bd成员只是字符指针,因为没有为字符串动态分配存储空间。

答案 1 :(得分:1)

您必须在堆上分配结构,以便可以在哈希表中存储指针:

struct SomeType * p = malloc(sizeof(struct SomeType));
p->a = 1;
//etc..
g_hash_table_insert(table,p->a,p);

您还需要使用g_hash_table_new_full(),以便在销毁表时正确释放指针。

答案 2 :(得分:1)

感谢。以上例子有所帮助。阅读完这些并在网上浏览代码示例后,我可以使它工作。以下是我写的示例工作代码:


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

struct struct_process {
    int pid;
    char* file_to_process;
};

typedef struct struct_process Process;

int main() {
    GHashTable* hash_table = g_hash_table_new_full(g_direct_hash, g_direct_equal, NULL, g_free);

    Process* p1 = (Process*)(malloc(sizeof(Process)));
    p1->pid = 1234;
    p1->file_to_process= "/var/tmp/p1";

    g_hash_table_insert(hash_table, GINT_TO_POINTER(p1->pid), GINT_TO_POINTER(p1));

    # replace 1234 by some other key to see that it returns NULL on nonexistent keys
    Process* p3 = (Process*)(g_hash_table_lookup(hash_table, GINT_TO_POINTER(1234))); 

    if (p3 == NULL) {
       printf("could not find\n");
    } else {
       printf("found and i have to process %s\n", p3->file_to_process);
    }
    g_hash_table_destroy(hash_table);
}
`