HashTable是在實際應用中很重要的一個結構,下面討論一個簡單的實現,雖然簡單,但是該有的部分都還是有的。
一,訪問接口
創建一個hashtable.
hashtable hashtable_new(int size) // size表示包含的接點個數。
存入key-value至hashtable中。
void hashtable_put(hashtable h,const char* key,void *val);
根據key從hashtable中取出value值。
void * hashtable_get(hashtable h,const char *key);
釋放hashtable。
void hashtable_free(hashtable h);
釋放單個hash 接點
void hashtable_delete_node(hashtable h, const char *key);
二,數據結構
hash接點的結構:
- typedef struct hashnode_struct{
- struct hashnode_struct *next;
- const char *key;
- void *val;
- }*hashnode,_hashnode;
typedef struct hashnode_struct{
struct hashnode_struct *next;
const char *key;
void *val;
}*hashnode,_hashnode;
這個結構還是很容易理解的,除了必須的key-value之外,包含一個用於沖突的鏈表結構。
hashtable的數據結構:
- typedef struct hashtable_struct{
- pool_t p;
- int size;
- int count;
- struct hashnode_struct *z;
- }*hashtable,_hashtable;
對這個結構說明如下:
pool_t:內存池結構管理hashtable使用的內存。結構參考"C語言內存池使用模型" http://www.linuxidc.com/Linux/2012-09/71368.htm
size:當前hash的接點空間大小。
count:用於表示當前接點空間中可用的hash接點個數。
z:用於在接點空間中存儲接點。
三,創建hashtable
代碼如下:
- hashtable hashtable_new(int size)
- {
- hashtable ht;
- pool_t p;
-
- p = _pool_new_heap(sizeof(_hashnode)*size + sizeof(_hashtable));
- ht= pool_malloc(p, sizeof(_hashtable));
- ht->size = size;
- ht->p = p;
- ht->z = pool_malloc(p, sizeof(_hashnode)*prime);
- return ht;
- }
這個函數比較簡單,先定義並初始化一個內存池,大小根據size而定,所以在實際使用時,我們的size應該要分配的相對大點,比較好。
四,存入key-value值
在這個操作之前,先要定義一個根據KEY值計算hashcode的函數。
- static int hashcode(const char *s, int len)
- {
- const unsigned char *name = (const unsigned char *)s;
- unsigned long h = 0, g;
- int i;
-
- for(i=0;i<len;i++)
- {
- h = (h << 4) + (unsigned long)(name[i]); //hash左移4位,當前字符ASCII存入hash
- if ((g = (h & 0xF0000000UL))!=0)
- h ^= (g >> 24);
- h &= ~g; //清空28-31位。
- }
-
- return (int)h;
- }
這個函數采用精典的ELF hash函數。
代碼如下:
- void hashtable_put(hashtable h, const char *key, void *val)
- {
- if(h == NULL || key == NULL)
- return;
-
- int len = strlen(key);
- int index = hashcode(key,len);
- hashtable node;
- h->dirty++;
-
- if((node = hashtable_node_get(h, key,len, index)) != NULL) //如果已經存在,就替換成現在的值,因為現在的比較新。
- {
- n->key = key;
- n->val = val;
- return;
- }
-
- node = hashnode_node_new(h, index); // 新建一個HASH NODE接點。
- node->key = key;
- node->val = val;
- }
hashtable_node_get用於查找該KEY是否在HASH中已經存在,實現很簡單,如下:
- static hashnode hashtable_node_get(hashtable h, const char *key, int len, int index)
- {
- hashnode node;
- int i = index % h->size;
- for(node = &h->z[i]; node != NULL; node = node->next) // 在index值 [HASH值] 所對應的HASH桶上遍歷尋找
- if(node->key != NULL && (strlen(node->key)==len) && (strncmp(key, node->key, len) == 0))
- return node;
- return NULL;
- }