线性探测法处理冲突构造散列表代码C语言
时间: 2023-11-29 16:04:27 浏览: 112
以下是一个使用线性探测法处理冲突的散列表的 C 代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
#define SIZE 10
struct node {
int key;
int value;
};
struct hash_table {
struct node *data[SIZE];
};
int hash_function(int key) {
return key % SIZE;
}
int rehash(int old_hash) {
return (old_hash + 1) % SIZE;
}
void put(struct hash_table *table, int key, int value) {
int hash_value = hash_function(key);
struct node *node = (struct node *) malloc(sizeof(struct node));
node->key = key;
node->value = value;
while (table->data[hash_value] != NULL && table->data[hash_value]->key != key) {
hash_value = rehash(hash_value);
}
table->data[hash_value] = node;
}
int get(struct hash_table *table, int key) {
int start_hash = hash_function(key);
int hash_value = start_hash;
int value = -1;
while (table->data[hash_value] != NULL) {
if (table->data[hash_value]->key == key) {
value = table->data[hash_value]->value;
break;
}
hash_value = rehash(hash_value);
if (hash_value == start_hash) {
break;
}
}
return value;
}
int main() {
struct hash_table table;
for (int i = 0; i < SIZE; i++) {
table.data[i] = NULL;
}
put(&table, 1, 10);
put(&table, 2, 20);
put(&table, 3, 30);
printf("%d\n", get(&table, 1));
printf("%d\n", get(&table, 2));
printf("%d\n", get(&table, 3));
printf("%d\n", get(&table, 4));
return 0;
}
```
这个散列表使用取余法计算哈希值,并且使用线性探测法来解决冲突。在 `put` 函数中,如果发生冲突,就不断向后查找下一个空位置,直到找到一个空位置或者查找完整个散列表。在 `get` 函数中,先计算出哈希值,然后依次向后查找,直到找到目标元素或者查找完整个散列表。注意,我们在每次 `put` 操作时都需要动态分配一个新的节点,以便保存键值对信息。
阅读全文