如何在哈希表中保存内存?

问题描述 投票:2回答:1

在我的结构struct ListNode我正在制作一个int类型的变量键但是有必要在struct Listnode中我们可以在HashTableNode中制作它,因为当HashTableNode中有两个或更多个项目时(也就是当单个表中的碰撞更多时)我们必须创建更多链接列表节点,并且每次在该节点内部键变量将消耗一些内存,如果我们可以在HashTableNode中定义它而不是我们可以节省内存。

在每个列表节点中提及密钥是否正确,以便我们可以随时访问,因为下面的哈希表实现来自非常着名的数据结构书。

请告诉我上面提到的是正确的 因为我是初学者,如果不是那么请纠正我

#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;
 }
int HASH(int  data,int tsize){
return(data%tsize);
}
/// 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;
}
c data-structures hash
1个回答
0
投票

有必要为每个节点存储密钥,因为它用于解决冲突。请注意,碰撞发生在哈希值而不是密钥上,这意味着同一个桶(Listnode)中的每个元素(HashTableNode)仍然会有不同的密钥,因此您无法对其进行优化。

但是,在您的示例中,数据是键(通常称为HashSet而不是HashMap),因此key中实际上不需要Listnode字段。

© www.soinside.com 2019 - 2024. All rights reserved.