Allow runtime to be built with C++ on AIX (#17672)
[mono-project.git] / mono / utils / mono-internal-hash.c
blob56b837db4a41ec1b5f90de732d4df46603db4dc3
1 /**
2 * \file
3 * A hash table which uses the values themselves as nodes.
5 * Author:
6 * Mark Probst (mark.probst@gmail.com)
8 * (C) 2007 Novell, Inc.
12 #include <config.h>
13 #include <glib.h>
14 #include <mono/utils/mono-compiler.h>
15 #include <mono/utils/mono-internal-hash.h>
17 #define MIN_SIZE 11
18 #define HASH(k,f,s) ((f)((k)) % (s))
20 void
21 mono_internal_hash_table_init (MonoInternalHashTable *table,
22 GHashFunc hash_func,
23 MonoInternalHashKeyExtractFunc key_extract,
24 MonoInternalHashNextValueFunc next_value)
26 table->hash_func = hash_func;
27 table->key_extract = key_extract;
28 table->next_value = next_value;
30 table->size = MIN_SIZE;
31 table->num_entries = 0;
32 table->table = g_new0 (gpointer, table->size);
35 void
36 mono_internal_hash_table_destroy (MonoInternalHashTable *table)
38 g_free (table->table);
39 table->table = NULL;
42 gpointer
43 mono_internal_hash_table_lookup (MonoInternalHashTable *table, gpointer key)
45 gpointer value;
47 g_assert (table->table != NULL);
49 for (value = table->table [HASH (key, table->hash_func, table->size)];
50 value != NULL;
51 value = *(table->next_value (value))) {
52 if (table->key_extract (value) == key)
53 return value;
55 return NULL;
58 static void
59 resize_if_needed (MonoInternalHashTable *table)
61 gpointer *new_table;
62 gint new_size;
63 gint i;
65 if (table->num_entries < table->size * 3)
66 return;
68 new_size = g_spaced_primes_closest (table->num_entries);
69 new_table = g_new0 (gpointer, new_size);
71 for (i = 0; i < table->size; ++i) {
72 while (table->table[i] != NULL) {
73 gpointer value;
74 gint hash;
76 value = table->table [i];
77 table->table [i] = *(table->next_value (value));
79 hash = HASH (table->key_extract (value), table->hash_func, new_size);
80 *(table->next_value (value)) = new_table [hash];
81 new_table [hash] = value;
85 g_free (table->table);
87 table->size = new_size;
88 table->table = new_table;
91 void
92 mono_internal_hash_table_insert (MonoInternalHashTable *table,
93 gpointer key, gpointer value)
95 gint hash = HASH (key, table->hash_func, table->size);
97 g_assert (table->key_extract(value) == key);
98 g_assert (*(table->next_value (value)) == NULL);
99 g_assert (mono_internal_hash_table_lookup (table, key) == NULL);
101 *(table->next_value (value)) = table->table[hash];
102 table->table [hash] = value;
104 ++table->num_entries;
106 resize_if_needed (table);
109 gboolean
110 mono_internal_hash_table_remove (MonoInternalHashTable *table, gpointer key)
112 gint hash = HASH (key, table->hash_func, table->size);
113 gpointer *value;
115 for (value = &table->table [hash];
116 *value != NULL;
117 value = table->next_value (*value)) {
118 if (table->key_extract (*value) == key)
120 *value = *(table->next_value (*value));
121 --table->num_entries;
122 return TRUE;
126 return FALSE;