mirror of
https://github.com/TheAlgorithms/C
synced 2024-11-22 05:21:49 +03:00
9bbec45d13
* Putting queue in correct dir and creating include file for it * Update data_structures/queue/include.h missing one function, added Co-authored-by: David Leal <halfpacho@gmail.com> Co-authored-by: David Leal <halfpacho@gmail.com>
74 lines
1.3 KiB
C
74 lines
1.3 KiB
C
////////////////////////////////////////////////////////////////////////////////
|
|
// INCLUDES
|
|
#include "include.h";
|
|
|
|
////////////////////////////////////////////////////////////////////////////////
|
|
// GLOBAL VARIABLES
|
|
int count;
|
|
|
|
////////////////////////////////////////////////////////////////////////////////
|
|
// MAIN ENTRY POINT
|
|
|
|
int main(int argc, char const *argv[])
|
|
{
|
|
create();
|
|
enque(5);
|
|
|
|
return 0;
|
|
}
|
|
|
|
void create()
|
|
{
|
|
head = NULL;
|
|
tail = NULL;
|
|
}
|
|
|
|
/**
|
|
* Puts an item into the Queue.
|
|
*/
|
|
void enque(int x)
|
|
{
|
|
if (head == NULL)
|
|
{
|
|
head = (struct node *)malloc(sizeof(struct node));
|
|
head->data = x;
|
|
head->pre = NULL;
|
|
tail = head;
|
|
}
|
|
else
|
|
{
|
|
tmp = (struct node *)malloc(sizeof(struct node));
|
|
tmp->data = x;
|
|
tmp->next = tail;
|
|
tail = tmp;
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Takes the next item from the Queue.
|
|
*/
|
|
int deque()
|
|
{
|
|
int returnData = 0;
|
|
if (head == NULL)
|
|
{
|
|
printf("ERROR: Deque from empty queue.\n");
|
|
exit(1);
|
|
}
|
|
else
|
|
{
|
|
returnData = head->data;
|
|
if (head->pre == NULL)
|
|
head = NULL;
|
|
else
|
|
head = head->pre;
|
|
head->next = NULL;
|
|
}
|
|
return returnData;
|
|
}
|
|
|
|
/**
|
|
* Returns the size of the Queue.
|
|
*/
|
|
int size() { return count; }
|