UNIT 2
2 .1 STACKS
It is an ordered group of homogeneous items of elements. Elements are added to and removed
from the top of the stack (the most recently added items are at the top of the stack). The last
element to be added is the first to be removed (LIFO: Last In, First Out).
one end, called TOP of the stack. The elements are removed in reverse order of that
in which they were inserted into the stack.
2.2 STACK OPERATIONS
These are two basic operations associated with stack:
· Push() is the term used to insert/add an element into a stack.
Pop() is the term used to delete/remove an element from a stack.
Other names for stacks are piles and push-down lists.
There are two ways to represent Stack in memory. One is using array and other is
using linked list.
Array representation of stacks:
Usually the stacks are represented in the computer by a linear array. In the following
algorithms/procedures of pushing and popping an item from the stacks, we have considered, a
linear array STACK, a variable TOP which contain the location of the top element of the stack;
and a variable STACKSIZE which gives the maximum number of elements that can be hold by
the stack
Push Operation
Push an item onto the top of the stack (insert an item)
Algorithm for PUSH:
Here are the minimal operations we'd need for an abstract stack (and their typical names):
o Push: Places an element/value on top of the stack.
o Pop: Removes value/element from top of the stack.
o IsEmpty: Reports whether the stack is Empty or not.
o IsFull: Reports whether the stack is Full or not.
2.3 ARRAY AND LINKED IMPLEMENTATION OF STACK
A Program that exercise the operations on Stack Implementing Array
// i.e. (Push, Pop, Traverse)
#include <conio.h>
#include <iostream.h>
#include <process.h>
#define STACKSIZE 10 // int const STACKSIZE = 10;
// global variable and array declaration
int Top=-1;
int Stack[STACKSIZE];
void Push(int); // functions prototyping
int Pop(void);
bool IsEmpty(void);
bool IsFull(void);
void Traverse(void);
int main( )
{ int item, choice;
while( 1 )
{
cout<< "\n\n\n\n\n";
cout<< " ******* STACK OPERATIONS ********* \n\n";
cout<< " 1- Push item \n 2- Pop Item \n";
cout<< " 3- Traverse / Display Stack Items \n 4- Exit.";
cout<< " \n\n\t Your choice ---> ";
cin>> choice;
switch(choice)
{ case 1: if(IsFull())cout<< "\n Stack Full/Overflow\n";
else
{ cout<< "\n Enter a number: "; cin>>item;
Push(item); }
break;
case 2: if(IsEmpty())cout<< "\n Stack is empty) \n";
else
{item=Pop();
cout<< "\n deleted from Stack = "<<item<<endl;}
break;
case 3: if(IsEmpty())cout<< "\n Stack is empty) \n";
else
{ cout<< "\n List of Item pushed on Stack:\n";
Traverse();
}
break;
case 4: exit(0);
default:
cout<< "\n\n\t Invalid Choice: \n";
} // end of switch block
} // end of while loop
} // end of of main() function
void Push(int item)
{
Stack[++Top] = item;
}
int Pop( )
{
return Stack[Top--];
}
bool IsEmpty( )
{ if(Top == -1 ) return true else return false; }
bool IsFull( )
{ if(Top == STACKSIZE-1 ) return true else return false; }
void Traverse( )
{ int TopTemp = Top;
do{ cout<< Stack[TopTemp--]<<endl;} while(TopTemp>= 0);
}
1- Run this program and examine its behavior.
// A Program that exercise the operations on Stack
// Implementing POINTER (Linked Structures) (Dynamic Binding)
// This program provides you the concepts that how STACK is
// implemented using Pointer/Linked Structures
#include <iostream.h.h>
#include <process.h>
struct node {
int info;
struct node *next;
};
struct node *TOP = NULL;
void push (int x)
{ struct node *NewNode;
NewNode = new (node); // (struct node *) malloc(sizeof(node));
if(NewNode==NULL) { cout<<"\n\n Memeory Crash\n\n";
return; }
NewNode->info = x;
NewNode->next = NULL;
if(TOP == NULL) TOP = NewNode;
else
{ NewNode->next = TOP;
TOP=NewNode;
}
}
struct node* pop ()
{ struct node *T;
T=TOP;
TOP = TOP->next;
return T;
}
void Traverse()
{ struct node *T;
for( T=TOP ; T!=NULL ;T=T->next) cout<<T->info<<endl;
}
bool IsEmpty()
{ if(TOP == NULL) return true; else return false; }
int main ()
{ struct node *T;
int item, ch;
while(1)
{ cout<<"\n\n\n\n\n\n ***** Stack Operations *****\n";
cout<<"\n\n 1- Push Item \n 2- Pop Item \n";
cout<<" 3- Traverse/Print stack-values\n 4- Exit\n\n";
cout<<"\n Your Choice --> ";
cin>>ch;
switch(ch)
{ case 1:
cout<<"\nPut a value: ";
cin>>item;
Push(item);
break;
case 2:
if(IsEmpty()) {cout<<"\n\n Stack is Empty\n";
break;
}
T= Pop();
cout<< T->info <<"\n\n has been deleted \n";
break;
case 3:
if(IsEmpty()) {cout<<"\n\n Stack is Empty\n";
break;
}
Traverse();
break;
case 4:
exit(0);
} // end of switch block
} // end of loop
return 0;
} // end of main function
2.4 APPLICATION OF THE STACK (ARITHMETIC EXPRESSIONS)
Stacks are used by compilers to help in the process of converting infix to postfix arithmetic
expressions and also evaluating arithmetic expressions. Arithmetic expressions consisting
variables, constants, arithmetic operators and parentheses. Humans generally write expressions
in which the operator is written between the operands (3 + 4, for example). This is called infix
notation. Computers “prefer” postfix notation in which the operator is written to the right of two
operands. The preceding infix expression would appear in postfix notation as 3 4 +. To evaluate
a complex infix expression, a compiler would first convert the expression to postfix notation, and
then evaluate the postfix version of the expression. We use the following three levels of
precedence for the five binary operations.
For example:
(66 + 2) * 5 – 567 / 42
to postfix
66 22 + 5 * 567 42 / –
Transforming Infix Expression into Postfix Expression:
The following algorithm transforms the infix expression Q into its equivalent postfix expression
P. It uses a stack to temporary hold the operators and left parenthesis. The postfix expression will
be constructed from left to right using operands from Q and operators popped from STACK.
Convert Q: A+( B * C – ( D / E ^ F ) * G ) * H into postfix form showing stack status .
Now add “)” at the end of expression A+( B * C – ( D / E ^ F ) * G ) * H )
and also Push a “(“ on Stack.
2.5 EVALUATION OF POSTFIX EXPRESSION
If P is an arithmetic expression written in postfix notation. This algorithm uses STACK to
hold operands, and evaluate P.
For example:
Following is an infix arithmetic expression
(5 + 2) * 3 – 9 / 3
And its postfix is:
52+3*93/–
Now add “$” at the end of expression as a sentinel.
Following code will transform an infix arithmetic expression into Postfix arithmetic
expression. You will also see the Program which evaluates a Postfix expression.
// This program provides you the concepts that how an infix
// arithmetic expression will be converted into post-fix expression
// using STACK
// Conversion Infix Expression into Post-fix
// NOTE: ^ is used for raise-to-the-power
#include<iostream.h>
#include<conio.h>
#include<string.h>
int main()
{ int const null=-1;
char Q[100],P[100],stack[100];// Q is infix and P is postfix array
int n=0; // used to count item inserted in P
int c=0; // used as an index for P
int top=null; // it assign -1 to top
int k,i;
cout<<“Put an arithematic INFIX _Expression\n\n\t\t";
cin.getline(Q,99); // reads an infix expression into Q as string
k=strlen(Q); // it calculates the length of Q and store it in k
// following two lines will do initial work with Q and stack
strcat(Q,”)”); // This function add ) at the and of Q
stack[++top]='('; // This statement will push first ( on Stack
while(top!= null)
{
for(i=0;i<=k;i++)
{
switch(Q[i])
{
case '+':
case '-':
for(;;)
{
if(stack[top]!='(' )
{ P[c++]=stack[top--];n++; }
else
break;
}
stack[++top]=Q[i];
break;
case '*':
case '/':
case '%':
for(;;)
{if(stack[top]=='(' || stack[top]=='+' ||
stack[top]=='-') break;
else
{ P[c++]=stack[top--]; n++; }
}
stack[++top]=Q[i];
break;
case '^':
for(;;)
{
if(stack[top]=='(' || stack[top]=='+' ||
stack[top]=='-' || stack[top]=='/' ||
stack[top]=='*' || stack[top]=='%') break;
else
{ P[c++]=stack[top--]; n++; }
}
stack[++top]=Q[i];
break;
case '(':
stack[++top]=Q[i];
break;
case ')':
for(;;)
{
if(stack[top]=='(' ) {top--; break;}
else { P[c++]=stack[top--]; n++;}
}
break;
default : // it means that read item is an oprand
P[c++]=Q[i];
n++;
} //END OF SWITCH
} //END OF FOR LOOP
} //END OF WHILE LOOP
P[n]='\0'; // this statement will put string terminator at the
// end of P which is Postfix expression
cout<<"\n\nPOSTFIX EXPRESION IS \n\n\t\t"<<P<<endl;
} //END OF MAIN FUNCTION
// This program provides you the concepts that how a post-fixed
// expression is evaluated using STACK. In this program you will
// see that linked structures (pointers are used to maintain the stack.
// NOTE: ^ is used for raise-to-the-power
#include <stdlib.h>
#include <stdio.h>
#include <conio.h>
#include<math.h>
#include <stdlib.h>
#include <ctype.h>
struct node {
int info;
struct node *next;
};
struct node *TOP = NULL;
void push (int x)
{ struct node *Q;
// in c++ Q = new node;
Q = (struct node *) malloc(sizeof(node)); // creation of new node
Q->info = x;
Q->next = NULL;
if(TOP == NULL) TOP = Q;
else
{ Q->next = TOP;
TOP=Q;
}
}
struct node* pop ()
{ struct node *Q;
if(TOP==NULL) { cout<<"\nStack is empty\n\n";
exit(0);
}
else
{Q=TOP;
TOP = TOP->next;
return Q;
}
}
int main(void)
{char t;
struct node *Q, *A, *B;
cout<<"\n\n Put a post-fix arithmatic expression end with $: \n ";
while(1)
{ t=getche(); // this will read one character and store it in t
if(isdigit(t)) push(t-'0'); // this will convert char into int
else if(t==' ')continue;
else if(t=='$') break;
else
{ A= pop();
B= pop();
switch (t)
{
case '+':
push(B->info + A->info);
break;
case '-':
push(B->info - A->info);
break;
case '*':
push(B->info * A->info);
break;
case '/': push(B->info / A->info);
break;
case '^': push(pow(B->info, A->info));
break;
default: cout<<"Error unknown operator";
} // end of switch
} // end of if structure
} // end of while loop
Q=pop(); // this will get top value from stack which is result
cout<<"\n\n\nThe result of this expression is = "<<Q->info<<endl;
return 0;
} // end of main function
2.6 RECURSION
Recursion is a programming technique that allows the programmer to express operations in
terms of themselves. In C, this takes the form of a function that calls itself. A useful way to think
of recursive functions is to imagine them as a process being performed where one of the
instructions is to "repeat the process". This makes it sound very similar to a loop because it
repeats the same code, and in some ways it is similar to looping. On the other hand, recursion
makes it easier to express ideas in which the result of the recursive call is necessary to complete
the task. Of course, it must be possible for the "process" to sometimes be completed without the
recursive call. One simple example is the idea of building a wall that is ten feet high; if I want to
build a ten foot high wall, and then I will first build a 9 foot high wall, and then add an extra foot
of bricks. Conceptually, this is like saying the "build wall" function takes a height and if that
height is greater than one, first calls itself to build a lower wall, and then adds one a foot of
bricks.
A simple example of recursion would be:
void recurse()
{
recurse(); /* Function calls itself */
}
int main()
{
recurse(); /* Sets off the recursion */
return 0;
}
This program will not continue forever, however. The computer keeps function calls on a stack
and once too many are called without ending, the program will crash. Why not write a program
to see how many times the function is called before the program terminates?
#include <stdio.h>
void recurse ( int count ) /* Each call gets its own copy of count */
{
printf( "%d\n", count );
/* It is not necessary to increment count since each function' s variables are separate (so
each count will be initialized one greater) */
recurse ( count + 1 );
}
int main()
{
recurse ( 1 ); /* First function call, so it starts at one */
return 0;
}
The best way to think of recursion is that each function call is a "process" being carried out by
the computer. If we think of a program as being carried out by a group of people who can pass
around information about the state of a task and instructions on performing the task, each
recursive function call is a bit like each person asking the next person to follow the same set of
instructions on some part of the task while the first person waits for the result.
At some point, we're going to run out of people to carry out the instructions, just as our previous
recursive functions ran out of space on the stack. There needs to be a way to avoid this! To halt a
series of recursive calls, a recursive function will have a condition that controls when the
function will finally stop calling itself. The condition where the function will not call itself is
termed the base case of the function. Basically, it will usually be an if-statement that checks
some variable for a condition (such as a number being less than zero, or greater than some other
number) and if that condition is true, it will not allow the function to call itself again. (Or, it
could check if a certain condition is true and only then allow the function to call itself).
A quick example:
void count_to_ten ( int count )
{
/* we only keep counting if we have a value less than ten
if ( count < 10 )
{
count_to_ten( count + 1 );
}
}
int main()
{
count_to_ten ( 0 );
}
2.6.1 Simulation of Recursion
2.6.1.1 Tower of Hanoi Problem
Using recursion often involves a key insight that makes everything simpler. Often the insight is
determining what data exactly we are recursing on - we ask, what is the essential feature of the
problem that should change as we call ourselves? In the case of isAJew, the feature is the person
in question: At the top level, we are asking about a person; a level deeper, we ask about the
person's mother; in the next level, the grandmother; and so on.
In our Towers of Hanoi solution, we recurse on the largest disk to be moved. That is, we will
write a recursive function that takes as a parameter the disk that is the largest disk in the tower
we want to move. Our function will also take three parameters indicating from which peg the
tower should be moved (source), to which peg it should go (dest), and the other peg, which we
can use temporarily to make this happen (spare).
At the top level, we will want to move the entire tower, so we want to move disks 5 and smaller
from peg A to peg B. We can break this into three basic steps.
1. Move disks 4 and smaller from peg A (source) to peg C (spare), using peg B (dest) as a spare.
How do we do this? By recursively using the same procedure. After finishing this, we'll have all
the disks smaller than disk 4 on peg C. (Bear with me if this doesn't make sense for the moment -
we'll do an example soon.)
2. Now, with all the smaller disks on the spare peg, we can move disk 5 from peg A (source)
to peg B (dest).
3. Finally, we want disks 4 and smaller moved from peg C (spare) to peg B (dest). We do this
recursively using the same procedure again. After we finish, we'll have disks 5 and smaller all
on dest.
In pseudocode, this looks like the following. At the top level, we'll call MoveTower with disk=5,
source=A, dest=B, and spare=C.
FUNCTION MoveTower(disk, source, dest, spare):
IF disk == 0, THEN:
move disk from source to dest
ELSE:
MoveTower(disk - 1, source, spare, dest) // Step 1 above
move disk from source to dest // Step 2 above
MoveTower(disk - 1, spare, dest, source) // Step 3 above
END IF
Note that the pseudocode adds a base case: When disk is 0, the smallest disk. In this case we
don't need to worry about smaller disks, so we can just move the disk directly. In the other cases,
we follow the three-step recursive procedure we already described for disk 5.
The call stack in the display above represents where we are in the recursion. It keeps track of the
different levels going on. The current level is at the bottom in the display. When we make a new
recursive call, we add a new level to the call stack representing this recursive call. When we
finish with the current level, we remove it from the call stack (this is called popping the stack)
and continue with where we left off in the level that is now current.
Another way to visualize what happens when you run MoveTower is called a call tree. This is a
graphic representation of all the calls. Here is a call tree for MoveTower(3,A,B,C).
We call each function call in the call tree a node. The nodes connected just below any node n
represent the function calls made by the function call for n. Just below the top, for example, are
MoveTower(2,A,C,B) and MoveTower(2,C,B,A), since these are the two function calls that
MoveTower(3,A,B,C) makes. At the bottom are many nodes without any nodes connected below
them - these represent base cases.
2.6.2 Tail recursion:
Tail recursion occurs when the last-executed statement of a function is a recursive call to
itself. If the last-executed statement of a function is a recursive call to the function itself,
then this call can be eliminated by reassigning the calling parameters to the values specified
in the recursive call, and then repeating the whole function.
2.7 QUEUE
A queue is a linear list of elements in which deletion can take place only at
one end, called the front, and insertions can take place only at the other end, called
the rear. The term “front” and “rear” are used in describing a linear list only when it
is implemented as a queue.
Queue is also called first-in-first-out (FIFO) lists. Since the first element in a
queue will be the first element out of the queue. In other words, the order in which
elements enters a queue is the order in which they leave.
There are main two ways to implement a queue :
1. Circular queue using array
2. Linked Structures (Pointers)
Primary queue operations:
Enqueue: insert an element at the rear of the queue
Dequeue: remove an element from the front of the queue
Following is the algorithm which describes the implementation of Queue using an
Array.
Insertion in Queue:
Following Figure shows that how a queue may be maintained by a circular array with MAXSIZE = 6
(Six memory locations). Observe that queue always occupies consecutive locations except when it
occupies locations at the beginning and at the end of the array. If the queue is viewed as a circular array,
this means that it still occupies consecutive locations. Also, as indicated by Fig(k), the queue will be
empty only when Count = 0 or (Front = Rear but not null) and an element is deleted. For this reason, -1
(null) is assigned to Front and Rear.
Array and linked implementation of queues in C
// c-language code to implement QUEUE using array
#include<iostream.h>
#include <process.h>
#define MAXSIZE 10 // int const MAXSIZE = 10;
// Global declarations and available to every
int Queue[MAXSIZE];
int front = -1;
int rear = -1;
int count =0;
bool IsEmpty(){if(count==0)return true; else return false; }
bool IsFull() { if( count== MAXSIZE) return true; else return false;}
void Enqueue(int ITEM)
{ if(IsFull()) { cout<< "\n QUEUE is full\n"; return;}
if(count == 0) rear = front= 0; // first item to enqueue
else
if(rear == MAXSIZE -1) rear=0 ; // Circular, rear set to zero
else rear++;
Queue[rear]=ITEM;
count++;
}
int Dequeue()
{
if(IsEmpty()) { cout<<"\n\nQUEUE is empty\n"; return -1; }
int ITEM= Queue[front];
count--;
if(count == 0 ) front = rear = -1;
else if(front == MAXSIZE -1) front=0;
else front++;
return ITEM;
}
void Traverse()
{ int i;
if(IsEmpty()) cout<<"\n\nQUEUE is empty\n";
else
{ i = front;
While(1)
{ cout<< Queue[i]<<"\t";
if (i == rear) break;
else if(i == MAXSIZE -1) i = 0;
else i++;
}
}
}
int main()
{
int choice,ITEM;
while(1)
{
cout<<"\n\n\n\n QUEUE operation\n\n";
cout<<"1-insert value \n 2-deleted value\n";
cout<<"3-Traverse QUEUE \n 4-exit\n\n";
cout<<"\t\t your choice:"; cin>>choice;
switch(choice)
{
case 1:
cout"\n put a value:";
cin>>ITEM);
Enqueue(ITEM);break;
case 2:
ITEM=Dequeue();
if(ITEM!=-1)cout<<t<< " deleted \n";
break;
case 3:
cout<<"\n queue state\n";
Traverse(); break;
case 4:exit(0);
}
}
return 0;
}
// A Program that exercise the operations on QUEUE
// using POINTER (Dynamic Binding)
#include <conio.h>
#include <iostream.h>
struct QUEUE
{ int val;
QUEUE *pNext;
};
QUEUE *rear=NULL, *front=NULL;
void Enqueue(int);
int Dequeue(void);
void Traverse(void);
void main(void)
{ int ITEM, choice;
while( 1 )
{
cout<<" ******* QUEUE UNSING POINTERS ********* \n";
cout<<" \n\n\t ( 1 ) Enqueue \n\t ( 2 ) Dequeue \n";
cout<<"\t ( 3 ) Print queue \n\t ( 4 ) Exit.";
cout<<" \n\n\n\t Your choice ---> ";
cin>>choice);
switch(choice)
{
case 1: cout<< "\n Enter a number: ";
cin>>ITEM;
Enqueue(ITEM);
break;
case 2: ITEM = Dequeue();
if(ITEM) cout<<” \n Deleted from Q = “<<ITEM<<endl;
break;
case 3: Traverse();
break;
case 4: exit(0);
break;
default: cout<<"\n\n\t Invalid Choice: \n";
} // end of switch block
} // end of while loop
} // end of of main() function
void Enqueue (int ITEM)
{ struct QUEUE *NewNode;
// in c++ NewNode = new QUEUE;
NewNode = (struct QUEUE *) malloc( sizeof(struct QUEUE));
NewNode->val = ITEM;
NewNode->pNext = NULL;
if (rear == NULL)
front = rear= NewNode;
else
{
rear->pNext = NewNode; rear = NewNode;
}
}
int Dequeue(void)
{ if(front == NULL) {cout<<” \n <Underflow> QUEUE is empty\n";
return 0;
}
int ITEM = front->val;
if(front == rear ) front=rear=NULL;
else front = front-> pNext;
return(ITEM);
}
void Traverse(void)
{ if(front == NULL) {cout<< " \n <Underflow> QUEUE is empty\n";
return; }
QUEUE f = front;
while(f!=rear)
{ cout front->val << ", ";
f=f->pNext;
}
}
2.8 DEQUEUE (OR) DEQUE (DOUBLE ENDED QUEUE)
DeQueue is a data structure in which elements may be added to or deleted from the front or the
rear.
Like an ordinary queue, a double-ended queue is a data structure it supports the following
operations: enq_front, enq_back, deq_front, deq_back, and empty. Dequeue can be behave like a
queue by using only enq_front and deq_front , and behaves like a stack by using only enq_front
and deq_rear. .
The DeQueue is represented as follows.
DeQueue can be represented in two ways they are
1) Input restricted DeQueue 2) output restricted DeQueue
The out put restricted Dequeue allows deletions from only one end and input restricted Dequeue
allow insertions at only one end.
The DeQueue can be constructed in two ways they are
2) Using array 2. using linked list
Algorithm to add an element into DeQueue :
Assumptions: pointer f,r and initial values are -1,-1
Q[] is an array
max represent the size of a queue
enq_front
step1. Start
step2. Check the queue is full or not as if (f <>
step3. If false update the pointer f as f= f-1
step4. Insert the element at pointer f as Q[f] = element
step5. Stop
enq_back
step1. Start
step2. Check the queue is full or not as if (r == max-1) if yes queue is full
step3. If false update the pointer r as r= r+1
step4. Insert the element at pointer r as Q[r] = element
step5. Stop
Algorithm to delete an element from the DeQueue
deq_front
step1. Start
step2. Check the queue is empty or not as if (f == r) if yes queue is empty
step3. If false update pointer f as f = f+1 and delete element at position f as element = Q[f]
step4. If ( f== r) reset pointer f and r as f=r=-1
step5. Stop
deq_back
step1. Start
step2. Check the queue is empty or not as if (f == r) if yes queue is empty
step3. If false delete element at position r as element = Q[r]
step4. Update pointer r as r = r-1
step5. If (f == r ) reset pointer f and r as f = r= -1
step6. Stop
2.9 PRIORITY QUEUE
Priority queue is a linear data structure. It is having a list of items in which each item has
associated priority. It works on a principle add an element to the queue with an associated
priority and remove the element from the queue that has the highest priority. In general different
items may have different priorities. In this queue highest or the lowest priority item are inserted
in random order. It is possible to delete an element from a priority queue in order of their
priorities starting with the highest priority.
While priority queues are often implemented with heaps, they are conceptually distinct from
heaps. A priority queue is an abstract concept like "a list" or "a map"; just as a list can be
implemented with a linked list or an array, a priority queue can be implemented with a heap or a
variety of other methods such as an unordered array.
Operations on Priority Queue:
A priority queue must at least support the following operations:
· insert_with_priority: add an element to the queue with an associated priority.
· pull_highest_priority_element: remove the element from the queue that has the highest
priority, and return it.
This is also known as "pop_element(Off)", "get_maximum_element" or
"get_front(most)_element".
Some conventions reverse the order of priorities, considering lower values to be higher
priority, so this may also be known as "get_minimum_element", and is often referred to
as "get-min" in the literature.
This may instead be specified as separate "peek_at_highest_priority_element" and
"delete_element" functions, which can be combined to produce
"pull_highest_priority_element".
In addition, peek (in this context often called find-max or find-min), which returns the highest-
priority element but does not modify the queue, is very frequently implemented, and nearly
always executes in O(1) time. This operation and its O(1) performance is crucial to many
applications of priority queues.
More advanced implementations may support more complicated operations, such
as pull_lowest_priority_element, inspecting the first few highest- or lowest-priority elements,
clearing the queue, clearing subsets of the queue, performing a batch insert, merging two or more
queues into one, incrementing priority of any element, etc.
Similarity to Queue:
One can imagine a priority queue as a modified queue, but when one would get the next element
off the queue, the highest-priority element is retrieved first.
· stack – elements are pulled in last-in first-out-order (e.g., a stack of papers)
· queue – elements are pulled in first-in first-out-order (e.g., a line in a cafeteria)
Stacks and queues may be modeled as particular kinds of priority queues. In a stack, the priority
of each inserted element is monotonically increasing; thus, the last element inserted is always the
first retrieved. In a queue, the priority of each inserted element is monotonically decreasing; thus,
the first element inserted is always the first retrieved.