我正在学习如何实现哈希表,但是在这里我有点困惑,因为在下面的书中可以找到代码,并且我对代码的理解程度很高,但是在书中没有HASH
函数的定义,我知道我们必须自己定义它,但是根据下面给出的代码,HASH
里面有两个参数,就像我在HASH
中使用HashInsert
一样,它有两个参数index=HASH(data,t->size)
,如果我们假设将HASH
的返回类型设为int
现在,例如,我们可以将HASH
定义为
int HASH(int data,int tsize){
return(data%7);
}
但是根据我的程序,我应该如何在t->size
函数内更新HASH
(表大小),或者应该如何使用
请帮助我正确实现上述HASH
函数
#define Load_factor 20
#include<stdio.h>
#include<stdlib.h>
struct Listnode{
int key;
int data;
struct Listnode* next;
};
struct HashTableNode{
int bcount; /// Number of elements in block
struct Listnode* next;
};
struct HashTable{
int tsize; /// Table size
int count;
struct HashTableNode** Table;
};
struct HashTable* createHashTable(int size){
struct HashTable* h;
h=(struct HashTable*)malloc(sizeof(struct HashTable));
h->tsize=size/Load_factor;
h->count=0;
h->Table=(struct HashTableNode**)malloc(sizeof(struct HashTableNode*)*h->tsize);
if(!h->Table){
printf("Memory Error");
return NULL;
}
for(int i=0;i<h->tsize;i++){
h->Table[i]->bcount=0;
h->Table[i]->next=NULL;
}
return h;
}
/// Hashsearch
int HashSearch(struct HashTable* h,int data){
struct Listnode* temp;
temp=h->Table[HASH(data,h->tsize)]->next;
while(temp) ///same as temp!=NULL
{
if(temp->data==data)
return 1;
temp=temp->next;
}
return 0;
}
int HashDelete(struct HashTable* h,int data)
{
int index;
struct Listnode *temp,*prev;
index=HASH(data,h->tsize);
for(temp=h->Table[index]->next,prev=NULL;temp;prev=temp,temp=temp->next)
{
if(temp->data==data)
{
if(prev!=NULL)
prev->next=temp->next;
free(temp);
h->Table[index]->bcount--;
h->count--;
return 1;
}
}
return 0;
}
int HashInsert(struct HashTable *h ,int data){
int index;
struct Listnode* temp,*newnode;
if(HashSearch(h,data))
return 0;
index = HASH(data,h->tsize);
temp=h->Table[index]->next;
newnode=(struct Listnode*)malloc(sizeof(struct Listnode));
if(!newnode)
return -1;
newnode->key=index;
newnode->data;
newnode->next=h->Table[index]->next;
h->Table[index]->next=newnode;
h->Table[index]->bcount++;
h->count++;
return 1;
}
我只是在学习哈希的实现,因此main看起来很奇怪
int main(){
return 0;
}
答案 0 :(得分:3)
你不应该!我的意思是你不应该修改它。
该函数获取哈希表的大小(“存储桶”的数量),因此可以使用它从哈希值创建存储桶索引。通常通过对%
取模来完成。
因此,您无需使用固定的magic number 7
来取模,其大小为:
return(data%tsize);