-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathst.c
94 lines (80 loc) · 1.78 KB
/
st.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "item.h"
#include "st.h"
typedef struct STnode* link;
struct STnode { Item item; link next; } ;
struct symboltable { link *heads; int M; link z; };
link NEW( Item item, link next) {
link x = malloc(sizeof *x);
x->item = item; x->next = next;
return x;
}
ST STinit(int maxN) {
int i;
ST st = malloc(sizeof *st) ;
st->M = maxN/5;
st->heads = malloc(st->M*sizeof(link));
st->z = NEW(ITEMsetvoid(), NULL);
for (i=0; i < st->M; i++)
st->heads[i] = st->z;
return st;
}
int hash(Key v, int M) {
int h = 0, base = 127;
for ( ; *v != '\0'; v++)
h = (base * h + *v) % M;
return h;
}
int hashU(Key v, int M) {
int h, a = 31415, b = 27183;
for ( h = 0; *v != '\0'; v++, a = a*b % (M-1))
h = (a*h + *v) % M;
return h;
}
void STinsert (ST st, Item item) {
int i = hash(KEYget(item), st->M);
printf("hash =%d\n", i);
st->heads[i] = NEW(item, st->heads[i]);
}
Item searchST(link t, Key k, link z) {
if (t == z)
return ITEMsetvoid();
if ((KEYcompare(KEYget(t->item), k))==0)
return t->item;
return
searchST(t->next, k, z);
}
Item STsearch(ST st, Key k) {
return searchST(st->heads[hash(k, st->M)], k, st->z);
}
link deleteR(link x, Key k) {
if ( x == NULL )
return NULL;
if ((KEYcompare(KEYget(x->item), k))==0) {
link t = x->next;
free(x);
return t;
}
x->next = deleteR(x->next, k);
return x;
}
void STdelete(ST st, Key k) {
int i = hash(k, st->M);
st->heads[i] = deleteR(st->heads[i], k);
}
void visitR(link h, link z) {
if (h == z)
return;
ITEMshow(h->item);
visitR(h->next, z);
}
void STdisplay(ST st) {
int i;
for (i=0; i < st->M; i++) {
printf("st->heads[%d] = ", i);
visitR(st->heads[i], st->z);
printf("\n");
}
}