1.哈希表(Hash table)
哈希表(Hash table,也叫哈希表),是根据关键码值(Key value)而直接进行访问的数据结构。也就是说,它通过把关键码值映射到表中一个位置来访问记录,以加快查找的速度。这个映射函数叫做散列函数,存放记录的数组叫做散列表。
2.除留余数
假设散列表长m,选择一个不大于m的数p,用p去除关键字,除后所得余数为散列地址:H(key)=key%p。
除留余数法计算简单,适用范围非常广,是最常用的构造散列函数的方法。它不仅可以对关键字直接取模,也可在折叠、平方取中等运算后取模,这样能够保证散列地址一定落在散列表的地址空间中。
3.处理冲突
本代码使用开放地址法的线性探测法来处理冲突。这种探测方法可以将散列表想象成一个循环表,发生冲突时,从冲突地址的下一单元顺序寻找空单元,如果到最后一个位置也没找到空单元,则回到表头开始继续查找,一旦找到一个空位,就把此元素放入空位中。如果找不到空位,说明散列表已满,需要进行溢出处理。
4.具体代码
#include<stdio.h>
#include<stdlib.h>
#define TABLE_SIZE 19
typedef struct Node {
int key;
char value;
}Node,*NodePtr;
typedef struct HashList {
int length;
NodePtr elements;
}HashList,*ListPtr;
ListPtr initList(int* paraKeys, char* paraValues, int paraLength)
{
int tempPosition;
ListPtr resultPtr = (ListPtr)malloc(sizeof(HashList));
resultPtr->length = paraLength;
resultPtr->elements = (NodePtr)malloc(TABLE_SIZE * sizeof(Node));
for (int i = 0; i < TABLE_SIZE; i++)
{
resultPtr->elements[i].key = -1;
resultPtr->elements[i].value = 'x';
}//off for
for (int i = 0; i < paraLength; i++)
{
tempPosition = paraKeys[i] % TABLE_SIZE;
while (resultPtr->elements[tempPosition].key != -1)
{
tempPosition = (tempPosition + 1) % TABLE_SIZE;
printf("Collision, move forward for key %d\r\n", paraKeys[i]);
}//off while
resultPtr->elements[tempPosition].key = paraKeys[i];
resultPtr->elements[tempPosition].value = paraValues[i];
}//off for
return resultPtr;
}//off initList
char hashSearch(ListPtr paraPtr, int paraKey)
{
int tempPosition = paraKey % TABLE_SIZE;
while (paraPtr->elements[tempPosition].key != -1)
{
if (paraPtr->elements[tempPosition].key == paraKey)
{
return paraPtr->elements[tempPosition].value;
}//off if
tempPosition = (tempPosition + 1) % TABLE_SIZE;
}//off while
return 'x';
}//off hashSearch
void hashSearchTest() {
int tempUnsortedKeys[] = { 16, 33, 38, 69, 57, 95, 86 };
char tempContents[] = { 'h', 'e', 'l', 'o', 'w', 'r', 'd' };
ListPtr tempPtr = initList(tempUnsortedKeys, tempContents, 7);
printf("Search result of 95 is: %c\r\n", hashSearch(tempPtr, 95));
printf("Search result of 38 is: %c\r\n", hashSearch(tempPtr, 38));
printf("Search result of 57 is: %c\r\n", hashSearch(tempPtr, 57));
printf("Search result of 4 is: %c\r\n", hashSearch(tempPtr, 4));
}// Of hashSearchTest
int main()
{
hashSearchTest();
return 0;
}