I am trying to write a generic stack library[using arrays] which could allocate a stack for any element size and number of elements. I am trying the below code. First of all i get a warning saying that i am dereferencing a void pointer when used in memcpy.
Second is i am having some issue in the output that i am trying to print. Please help.
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
typedef struct _stk_
{
int top;
int elemsize;
int numElem;
void *array;
}stack;
stack *create_stack(int elemsize, int numElem)
{
stack *stk_handle = malloc(sizeof(stack));
if(!stk_handle)
{
printf("Malloc failed for stack handle\r\n");
return NULL;
}
stk_handle->top = -1;
stk_handle->elemsize = elemsize;
stk_handle->numElem = numElem;
stk_handle->array = calloc(elemsize, numElem);
if(!(stk_handle->array))
{
printf("Malloc failed for stack\r\n");
free(stk_handle);
return NULL;
}
return stk_handle;
}
void push (stack *stk_handle, void *element)
{
memcpy(&(stk_handle->array[++stk_handle->top]), element, stk_handle->elemsize);
printf("Pushed element %s to stack. Top is %d\r\n", element, stk_handle->top);
}
void pop (stack *stk_handle, void *element)
{
memcpy(element, &(stk_handle->array[stk_handle->top--]), stk_handle->elemsize);
printf("Popped element %s from stack. Top is %d\r\n", element, stk_handle->top);
}
int main()
{
stack *stk_handle = NULL;
char string1[] = "close";
char string2[] = "the";
char string3[] = "door";
char string4[6], string5[6],string6[6];
stk_handle = create_stack(6, 5);
push(stk_handle, &(string1));
push(stk_handle, &(string2));
push(stk_handle, &(string3));
pop(stk_handle, string4);
pop(stk_handle, string5);
pop(stk_handle, string6);
return 1;
}
When i compile I get below compilation warning.
$ gcc stack_lib.c
stack_lib.c: In function âpushâ:
stack_lib.c:39: warning: dereferencing âvoid *â pointer
stack_lib.c: In function âpopâ:
stack_lib.c:45: warning: dereferencing âvoid *â pointer
And when i run the program, I get below output:
Pushed element close to stack. Top is 0
Pushed element the to stack. Top is 1
Pushed element door to stack. Top is 2
Popped element door from stack. Top is 1
Popped element tdoor from stack. Top is 0
Popped element ctdoortdoor from stack. Top is -1
Please let me know where i am going wrong.