这是来自K& R&'s书中哈希表示例的安装功能:
struct nlist *install(char *name, char *defn)
{
struct nlist *np;
unsigned hashval;
if ((np = lookup(name)) == NULL) { /* not found */
np = (struct nlist *) malloc(sizeof(*np));
if (np == NULL || (np->name = strdup(name)) == NULL)
return NULL;
hashval = hash(name);
np->next = hashtab[hashval];
hashtab[hashval] = np;
} else /* already there */
free((void *) np->defn); /*free previous defn */
if ((np->defn = strdup(defn)) == NULL)
return NULL;
return np;
}
我不理解line np->next = hashtab[hasvall]
我认为变量np-> next的原因是为了在表中添加两个具有相同散列值的字符串,但是这样的结果是每个散列值只有一个名称。
此外,我似乎无法理解函数查找,以及for中的" AFTERTHOUGHT部分(因为我认为每个结构中只有一个vaule:
/* lookup: look for s in hashtab */
struct nlist *lookup(char *s)
{
struct nlist *np;
for (np = hashtab[hash(s)]; np != NULL; np = np->next)
if (strcmp(s, np->name) == 0)
return np; /* found */
return NULL; /* not found */
}
我错过了什么?
答案 0 :(得分:3)
每个值只能有一个键(名称),但两个或多个键可以具有相同的哈希值。 if(sre.State == "Speaking"){ /* don't listen */}
将新np->next = hashtab[hashval]
添加到链接列表中。然后查找遍历列表,直到匹配键(名称)。
答案 1 :(得分:1)
np->next = hashtab[hashval];
hashtab[hashval] = np;
这两行不会替换旧条目,而是添加它。
hashtab[hashval]-> existing_node
成为
hashtab[hashval]-> np -(next)-> existing_node
正如@Bo Persson在评论中提到的,这被称为" chaining"。
鉴于此结构,lookup
函数正确检查链中每个节点的名称。