我在确定如何正确执行此操作时遇到了重大麻烦。输出直到很快出现错误。我设法解决了大部分问题,但我仍然留下了两个,可能是一堆逻辑错误。
我的哈希算法也遇到问题,所以我用简单的临时代码替换了它。正确的说明是:
要使用的散列函数是h(k)= m(k·A mod 1)其中 A =(√5 - 1)/ 2和k·A mod 1返回k·A的小数部分。
我认为我没有正确实现它。
以下是代码:
#include <stdio.h>
#include <stdlib.h>
#include <math.h>
#define TABLE_SIZE 8
typedef struct stItem item;
struct stItem {
int key;
item *next;
};
void init(item * H[]) {
int i = 0;
for (i; i < TABLE_SIZE; i++)
H[i] = NULL;
}
int h(int k) {
// this does not work at all, currently using testcode
/*
int m = TABLE_SIZE;
int A = ( sqrt(5.0) - 1) / 2;
return m * (k * A % 1);
*/
return k % TABLE_SIZE;
}
void insert(int key, item * H[]) {
int keyHashed = h(key);
if (H[keyHashed] == NULL) {
item * temp = malloc(sizeof(item));
temp->key = key;
temp->next = NULL;
H[keyHashed] = temp;
free(temp);
}
else {
item * temp = malloc(sizeof(item));
temp->next = H[keyHashed]->next;
while (temp != NULL) {
temp = temp->next;
}
temp->key = key;
temp->next = NULL;
}
}
int search(int key, item * H[]) {
int keyHashed = h(key);
if (H[keyHashed] == NULL)
return -1;
else if (H[keyHashed]->key != key) {
item * temp = malloc(sizeof(item));
temp->next = H[keyHashed]->next;
while (temp->key != key && temp != NULL)
temp = temp->next;
if (temp->key == key) {
free(temp);
return keyHashed;
}
else {
free(temp);
return -1;
}
}
else
return keyHashed;
}
void printHash(item * H[]) {
printf("Table size: %d", TABLE_SIZE);
int i = 0;
for (i; i < TABLE_SIZE; i++) {
if (H[i] != NULL) {
printf("i: %d key: %d",i,H[i]->key);
if (H[i]->next != NULL) {
item * temp = malloc(sizeof(item));
temp->next = H[i]->next;
while (temp != NULL) {
printf(" -> %d", temp->key);
}
printf("\n");
}
else
printf("\n");
}
}
}
void test() {
// a)
int array[7] = {111,10112,1113,5568,63,1342,21231};
item *h[TABLE_SIZE];
init(h);
int i = 0;
for (i; i < 7; i++)
insert(array[i], h);
// b)
printHash(h);
// c)
printf("Search result for 1: %d", search(1, h));
printf("Search result for 10112: %d", search(10112, h));
printf("Search result for 1113: %d", search(1113, h));
printf("Search result for 5568: %d", search(5568, h));
printf("Search result for 337: %d", search(337, h));
}
int main() {
test();
}
编辑:感谢user3386109的修复,现在代码编译没有错误,但发生的是命令提示只是弹出,其中没有显示任何内容,也没有任何事情发生。它也没有关闭。等待几分钟后就没有了。
EDIT2:在进行了一些测试后,它看起来像挂在插入功能上。执行test()
中的for循环后没有任何内容。
如果我将这个printf("init done %d", h[1]);
添加到测试函数中的init()
之后,我得到“init done 0”而不是“init done NULL”,这可能是其中一个问题吗? / p>
答案 0 :(得分:2)
结构定义格式不正确。我建议如下
typedef struct stItem item;
struct stItem {
int key;
item *next;
};