-
Notifications
You must be signed in to change notification settings - Fork 0
/
Double_Hashing.cpp
131 lines (104 loc) · 2.54 KB
/
Double_Hashing.cpp
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
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
#include <bits/stdc++.h>
using namespace std;
int hashTable[10] = {0};
int SIZE = 10;
int hashIndex_h1(int key)
{
return(key % SIZE);
}
int hashIndex_h2(int key)
{
return(7 - (key % 7));
}
void insertDoubleHashing(int data)
{
int i=0;
int index = (hashIndex_h1(data) + i * hashIndex_h2(data)) % SIZE;
if(hashTable[index] == 0)
hashTable[index] = data;
else
{
i=0;
while(hashTable[(hashIndex_h1(data) + (i*hashIndex_h2(data))) % SIZE] != 0)
i++;
hashTable[(hashIndex_h1(data) + (i*hashIndex_h2(data))) % SIZE] = data;
}
}
int searchKey(int data)
{
for(int i=0 ; i<SIZE ; i++)
{
int index = (hashIndex_h1(data) + i * hashIndex_h2(data)) % SIZE;
if(hashTable[index] == data)
return index;
}
return -1;
}
int deleteKey(int data)
{
for(int i=0 ; i<SIZE ; i++)
{
int index = (hashIndex_h1(data) + i * hashIndex_h2(data)) % SIZE;
if(hashTable[index] == data)
{
hashTable[index] = 0;
return 1;
}
}
return 0;
}
int main()
{
int choice,data;
while(1)
{
cout<<"\n1.Insert \t 2.Search \t 3.Delete \t 4.Display table \t 5.EXIT"<<endl;
cout<<"Enter choice : ";
cin>>choice;
switch(choice)
{
case 1:
{
cout<<"Enter element : ";
cin>>data;
insertDoubleHashing(data);
break;
}
case 2:
{
cout<<"Enter element : ";
cin>>data;
int result = searchKey(data);
if(result == -1)
cout<<"Element not found"<<endl;
else
cout<<"Element is found at index : "<<result<<endl;
break;
}
case 3:
{
cout<<"Enter element : ";
cin>>data;
int result = deleteKey(data);
if(result == 1)
cout<<"Element deleted"<<endl;
else
cout<<"Element is not found"<<endl;
break;
}
case 4:
{
cout<<"Hash Table formed is"<<endl;
for(int i=0 ; i<SIZE ; i++)
cout<< i <<" --> "<<hashTable[i]<<endl;
break;
}
case 5:
exit(0);
break;
default:
cout<<"\nINVALID CHOICE\n";
}
}
return 0;
}