Definition
- Queue is an ordered collection of items.
- These items may be deleted at one end (called the HEAD of the queue) and inserted at other end (called the TAIL of the queue).
- Example, to withdraw money at ATM
- Also known as FIFO – first in first out
data:image/s3,"s3://crabby-images/bba11/bba115db88d0e920f1dee58d909d83b4bd8344c9" alt=""
Array and linked list implementation
data:image/s3,"s3://crabby-images/58ae3/58ae34a1c0dd3e49b29d3ea2a7f73279e6b92612" alt=""
Operations of Queue
- Dequeue
- Enqueue
- QueueEmpty
- QueueFull
Enqueue
- Enqueue is the shortened version of "entering a queue".
- It refers to a situation where a new item is inserted to the queue.
- After a new insertion is made, the new item becomes the tail of the queue.
Dequeue
- Dequeue is a shortened version of "deleting from a queue".
- This is a situation where the data element at the head of the queue will be deleted.
Array implementation
- Using array to implement the queue
- Will create a problem when the queue is full – memory space are fixed.
data:image/s3,"s3://crabby-images/7a181/7a181ecbfbeb3e44c9f3509377cf198da2c0387f" alt=""
Problem solution
- Create a circular queue. (using linked list)
- Circular queue wraps around to the beginning whenever the Head or the Tail reaches the end of the queue.
data:image/s3,"s3://crabby-images/deb70/deb7009f9c9562bd40279fa219339d39bc0eb063" alt=""
Linked list implementation
* Enqueue
data:image/s3,"s3://crabby-images/3bcf3/3bcf3d32b5690e5c53d2295d4215e4a51282156b" alt=""
data:image/s3,"s3://crabby-images/5c67e/5c67e50b94fb6cf09970cbe2a1fb781ecd578e46" alt=""
Enqueue- Implementation
void Enqueue(QUEUENODEPTR *tailPtr, QUEUENODEPTR *headPtr, char Value)
{
QUEUENODEPTR newPtr;
newPtr = malloc(sizeof(LISTNODE)); //Create a new node
if (newPtr != NULL)
{
newPtr->data = Value;
newPtr->nextPtr = NULL;
(*tailPtr)->nextPtr = newPtr;
(*tailPtr) = (*tailPtr)->nextPtr;
if (*headPtr == NULL)
*headPtr = *tailPtr;
}
Dequeue - Implementation
char Dequeue(QUEUENODEPTR *headPtr)
{
char value;
QUEUENODEPTR tempPtr;
if (*headPtr != NULL)
{
tempPtr = *headPtr;
(*headPtr) = (*headPtr)->nextPtr;
value = tempPtr->data;
free(tempPtr);
return value;
{
else
printf(“Queue is empty”);
}
Application of queue
- Scheduling system
- Advantages
- Support print spooling
- Information packet
0 comments:
Post a Comment