I don't understand what's wrong. I went through the program multiple times using the rubber ducky technique. What's the issue please?
#include<stdlib.h>
#include<stdio.h>
#include<string.h>
enum state {legitimate, empty, deleted};
typedef struct
{
enum state info;
char *key;
char *value;
}cell;
typedef struct
{
cell *cells;
unsigned int size;
}hash_table;
unsigned int
hash1(const char *key, unsigned int size)
{
unsigned int hash = 0;
for(unsigned int i = 0; key[i]; i++)
{
hash = (hash << 5) + key[i];
}
return (hash%size);
}
unsigned int
hash2(const char *key)
{
unsigned int hash = 0;
unsigned int prime = 3;
for(unsigned int i = 0; key[i]; i++)
{
hash = prime - (key[i] % prime);
}
return (hash);
}
hash_table*
initialize(unsigned int size)
{
hash_table *H = malloc(sizeof(*H));
H->cells = malloc(sizeof(*H->cells)*size);
for(unsigned int i = 0; i<size; i++)
{
H->cells[i].info = empty;
}
return H;
}
unsigned int
find(hash_table *H, const char *key)
{
unsigned int index = hash1(key, H->size);
unsigned int hash = hash2(key);
unsigned max = index;
while(H->cells[index].key!=key && H->cells[index].info!=empty)
{
index = (index+hash)%H->size;
if(index==max){printf("Not found!"); return -1;}
if(index>=H->size){index-=H->size;}
}
return index;
}
void
insert(hash_table *H, const char *key, const char *value)
{
unsigned int index = find(H, key);
if(H->cells[index].info!=legitimate)
{
H->cells[index].key= malloc(strlen(key)+1);
H->cells[index].value = malloc(strlen(value)+1);
strcpy(H->cells[index].key,key);
strcpy(H->cells[index].value,value);
H->cells[index].info = legitimate;
}
}
void
dump(hash_table *H)
{
for(unsigned int i = 0; i<H->size; i++)
{
if(H->cells[i].info!=legitimate){continue;}
printf("Index[%d]: %s\n", i, H->cells[i].value);
}
}
int main()
{
hash_table *H = initialize(10);
insert(H,"name1","David");
insert(H, "name2", "Radka");
dump(H);
return 0;
}
OUTPUT:
NO OUTPUT
I checked if hash1(), hash2(), and find() functions work, and they do, checked with multiple inputs everything seemed to work as it should. I am not sure what is missing or what I did wrong. Please help.
Since your program generates a core dump, you can take advantage of that
Run your program, you get
When a process terminates unexpectedly it generates a file with the process memory contents (a snapshot of the program at the time of the crash). Since core file creation is disabled by default, we use the
ulimit
command to enable writing core files:Open a console and set the process resources limit to
unlimited
Run again your program to generate the core file
Launch the debugger using the generated core file
It crashes at
hash1()
, lets see why:You got it! dividing by zero in
return (hash%size);
The prototype of
hash1
isCheck who is calling
hash1()
withsize
set to 0:H->size
is the culprit, it is used uninitialized.