Intro to Data Structures & Algorithms
Intro to Data Structures & Algorithms
1.1 INTRODUCTION
The study of data structures helps to understand the basic concepts involved in organizing
and storing data as well as the relationship among the data sets. This in turn helps to
determine the way information is stored, retrieved and modified in a computer’s memory.
Data structure is a branch of computer science. The study of data structure helps you to
understand how data is organized and how data flow is managed to increase efficiency of
any process or program. Data structure is the structural representation of logical
relationship between data elements. This means that a data structure organizes data items
based on the relationship between the data elements.
Example:
A house can be identified by the house name, location, number of floors and so on.
These structured set of variables depend on each other to identify the exact house.
Similarly, data structure is a structured set of variables that are linked to each other,
which forms the basic component of a system
Data structures are the building blocks of any program or the software. Choosing the
appropriate data structure for a program is the most difficult task for a programmer.
Following terminology is used as far as data structures are concerned
Data: Data can be defined as an elementary value or the collection of values, for
example, student's name and its id are the data about the student.
Group Items: Data items which have subordinate data items are called Group item, for
example, name of a student can have first name and the last name.
Record: Record can be defined as the collection of various data items, for example, if we
talk about the student entity, then its name, address, course and marks can be grouped
together to form the record for the student.
File: A File is a collection of various records of one type of entity, for example, if there
are 60 employees in the class, then there will be 20 records in the related file where each
record contains the data about each employee.
Attribute and Entity: An entity represents the class of certain objects. it contains
various attributes. Each attribute represents the particular property of that entity.
Correctness: Data structure is designed such that it operates correctly for all kinds of
input, which is based on the domain of interest. In other words, correctness forms the
primary goal of data structure, which always depends on the specific problems that the
data structure is intended to solve.
Efficiency: Data structure also needs to be efficient. It should process the data at high
speed without utilizing much of the computer resources such as memory space. In a real
time state, the efficiency of a data structure is an important factor that determines the
success and failure of the process.
Adaptability: Developing software projects such as word processors, Web browsers and
Internet search engine involves large software systems that work or execute correctly and
efficiently for many years. Moreover, software evolves due to ever changing market
conditions or due to emerging technologies.
A data structure provides a structured set of variables that are associated with each other
in different ways. It forms a basis of programming tool that represents the relationship
between data elements and helps programmers to process the data easily.
Primitive data structures consist of the numbers and the characters which are
built in programs. These can be manipulated or operated directly by the
machine level instructions. Basic data types such as integer, real, character,
and Boolean come under primitive data structures. These data types are also
known as simple data types because they consist of characters that cannot be
divided.
I) Array
When we declare an array, we can assign initial values to each of its elements by
enclosing the values in braces { }.
Num 26 7 67 50 66
Figure 1.2 Array
The number of values inside braces { } should be equal to the number of elements that
we declare for the array inside the square brackets [ ]. In the example of array Paul, we
have declared 5 elements and in the list of initial values within braces { } we have
specified 5 values, one for each element. After this declaration, array Paul will have five
integers, as we have provided 5 initialization values.
Limitations:
Arrays are of fixed size.
Data elements are stored in contiguous memory locations which may not be
always available.
Insertion and deletion of elements can be problematic because of shifting of
elements from their positions.
However, these limitations can be solved by using linked lists.
Applications:
Storing list of data elements belonging to same data type
Auxiliary storage for other data structures
Storage of binary tree elements of fixed count
Storage of matrices
A linked list is a data structure in which each data element contains a pointer
or link to the next element in the list. Through linked list, insertion and
deletion of the data element is possible at all places of a linear list. Also in
linked list, it is not necessary to have the data elements stored in consecutive
locations. It allocates space for each data item in its own block of memory.
Thus, a linked list is considered as a chain of data elements or records called
nodes. Each node in the list contains information field and a pointer field. The
information field contains the actual data and the pointer field contains address
of the subsequent nodes in the list.
Figure 1.3 represents a linked list with 4 nodes. Each node has two parts. The left part in
the node represents the information part which contains an entire record of data items and
the right part represents the pointer to the next node. The pointer of the last node contains
a null pointer.
Applications:
Implementing stacks, queues, binary trees and graphs of predefined size.
Implement dynamic memory management functions of operating system.
Polynomial implementation for mathematical operations
Circular linked list is used to implement OS or application functions that require
round robin execution of tasks.
Circular linked list is used in a slide show where a user wants to go back to the
first slide after last slide is displayed.
Doubly linked list is used in the implementation of forward and backward buttons
in a browser to move backwards and forward in the opened pages of a website.
Circular queue is used to maintain the playing sequence of multiple players in a
game.
III) Stacks
A stack is a linear data structure in which insertion and deletion of elements are done at
only one end, which is known as the top of the stack. Stack is called a last-in, first-out
(LIFO) structure because the last element which is added to the stack is the first
element which is deleted from the stack.
Applications:
Temporary storage structure for recursive operations
Auxiliary storage structure for nested operations, function calls,
deferred/postponed functions
Manage function calls
Evaluation of arithmetic expressions in various programming languages
Conversion of infix expressions into postfix expressions
Checking syntax of expressions in a programming environment
Matching of parenthesis
String reversal
In all the problems solutions based on backtracking.
Used in depth first search in graph and tree traversal.
Operating System functions
UNDO and REDO functions in an editor.
IV) Queues
A queue is a first-in, first-out (FIFO) data structure in which the element that is
inserted first is the first one to be taken out. The elements in a queue are added at one
end called the rear and removed from the other end called the front. Like stacks,
queues can be implemented by using either arrays or linked lists.
Figure 1.5 shows a queue with 4 elements, where 55 is the front element and 65 is the
rear element. Elements can be added from the rear and deleted from the front.
Applications:
It is used in breadth search operation in graphs.
Job scheduler operations of OS like a print buffer queue, keyboard buffer queue to
store the keys pressed by users
Job scheduling, CPU scheduling, Disk Scheduling
Priority queues are used in file downloading operations in a browser
Data transfer between peripheral devices and CPU.
Interrupts generated by the user applications for CPU
Calls handled by the customers in BPO
V) Trees
A tree is a non-linear data structure in which data is organized in branches. The data
elements in tree are arranged in a sorted order. It imposes a hierarchical structure on
the data elements.
Figure 1.6 represents a tree which consists of 8 nodes. The root of the tree is the node
60 at the top. Node 29 and 44 are the successors of the node 60. The nodes 6, 4, 12
and 67 are the terminal nodes as they do not have any successors.
Applications:
Implementing the hierarchical structures in computer systems like directory and
file system.
Implementing the navigation structure of a website.
Code generation like Huffman’s code.
Decision making in gaming applications.
Implementation of priority queues for priority-based OS scheduling functions
Parsing of expressions and statements in programming language compilers
For storing data keys for DBMS for indexing
Spanning trees for routing decisions in computer and communications networks
Hash trees
path-finding algorithm to implement in AI, robotics and video games applications
VI) Graphs
A graph is also a non-linear data structure. In a tree data structure, all data
elements are stored in definite hierarchical structure. In other words, each
node has only one parent node. While in graphs, each data element is called a
vertex and is connected to many other vertexes through connections called
edges.
Applications:
Representing networks and routes in communication, transportation and travel
applications
Routes in GPS
Interconnections in social networks and other network-based applications
Mapping applications
Ecommerce applications to present user preferences
Utility networks to identify the problems posed to municipal or local corporations
Resource utilization and availability in an organization
Document link map of a website to display connectivity between pages through
hyperlinks
Robotic motion and neural networks
Data structure is a way of storing and organising data efficiently such that the required
operations on them can be performed be efficient with respect to time as well as
memory. Simply, Data Structure are used to reduce complexity (mostly the time
complexity) of the code.
Data structures can be two types:
1. Static Data Structure
2. Dynamic Data Structure
What is a Static Data structure?
In Static data structure the size of the structure is fixed. The content of the data
structure can be modified but without changing the memory space allocated to it.
This section discusses the different operations that can be performed on the various data
structures previously mentioned.
Traversing It means to access each data item exactly once so that it can be processed.
For example, to print the names of all the students in a class.
Searching It is used to find the location of one or more data items that satisfy the given
constraint. Such a data item may or may not be present in the given collection of data
items. For example, to find the names of all the students who secured 100 marks in
mathematics.
Inserting It is used to add new data items to the given list of data items. For example, to
add the details of a new student who has recently joined the course.
Deleting It means to remove (delete) a particular data item from the given collection of
data items. For example, to delete the name of a student who has left the course.
Sorting Data items can be arranged in some order like ascending order or descending
order depending on the type of application. For example, arranging the names of students
in a class in an alphabetical order, or calculating the top three winners by arranging the
participants’ scores in descending order and then extracting the top three.
Merging Lists of two sorted data items can be combined to form a single list of sorted
data items.
From the above definition, it is clear that the operations in data structure
involve higher -level abstractions such as, adding or deleting an item from a
list, accessing the highest priority item in a list, or searching and sorting an
item in a list. When the data structure does such operations, it is called an
abstract data type.
It can be defined as a collection of data items together with the operations on the data.
The word “abstract” refers to the fact that the data and the basic operations defined on it
are being studied independently of how they are implemented. It involves what can be
done with the data, not how has to be done. For ex, in the below figure the user would be
involved in checking that what can be done with the data collected not how it has to be
done.
An implementation of ADT consists of storage structures to store the data items and
algorithms for basic operation. All the data structures i.e. array, linked list, stack, queue
etc are examples of ADT.
Advantage of using ADTs
In the real world, programs evolve as a result of new requirements or constraints, so a
modification to a program commonly requires a change in one or more of its data
structures. For example, if you want to add a new field to a student’s record to keep track
of more information about each student, then it will be better to replace an array with a
linked structure to improve the program’s efficiency. In such a scenario, rewriting every
procedure that uses the changed structure is not desirable. Therefore, a better alternative
is to separate the use of a data structure from the details of its implementation. This is the
principle underlying the use of abstract data types.
1.7 ALGORITHM
Algorithm is a step-by-step procedure, which defines a set of instructions to be executed
in a certain order to get the desired output. Algorithms are generally created independent
of underlying languages, i.e. an algorithm can be implemented in more than one
programming language.
From the data structure point of view, following are some important categories of
algorithms −
Search − Algorithm to search an item in a data structure.
Sort − Algorithm to sort items in a certain order.
Insert − Algorithm to insert item in a data structure.
Update − Algorithm to update an existing item in a data structure.
Delete − Algorithm to delete an existing item from a data structure.
Advantages of Algorithms:
It is easy to understand.
Algorithm is a step-wise representation of a solution to a given problem.
In Algorithm the problem is broken down into smaller pieces or steps hence, it
is easier for the programmer to convert it into an actual program.
Disadvantages of Algorithms:
Hence, many solution algorithms can be derived for a given problem. The next step is to
analyze those proposed solution algorithms and implement the best suitable solution.
1.8 ALGORITHM COMPLEXITY
Suppose X is an algorithm and n is the size of input data, the time and space used by the
algorithm X are the two main factors, which decide the efficiency of X.
Time Factor − Time is measured by counting the number of key operations such
as comparisons in the sorting algorithm.
Space Factor − Space is measured by counting the maximum memory space
required by the algorithm.
The complexity of an algorithm f(n) gives the running time and/or the storage space
required by the algorithm in terms of n as the size of input data.
1.8.1 Space Complexity
Space complexity of an algorithm represents the amount of memory space required by
the algorithm in its life cycle. The space required by an algorithm is equal to the sum of
the following two components −
A fixed part that is a space required to store certain data and variables, that are
independent of the size of the problem. For example, simple variables and
constants used, program size, etc.
A variable part is a space required by variables, whose size depends on the size of
the problem. For example, dynamic memory allocation, recursion stack space,
etc.
Space complexity S(P) of any algorithm P is S(P) = C + SP(I), where C is the fixed part
and S(I) is the variable part of the algorithm, which depends on instance characteristic I.
Following is a simple example that tries to explain the concept −
Algorithm: SUM(A, B)
Step 1 - START
Step 2 - C ← A + B + 10
Step 3 - Stop
Here we have three variables A, B, and C and one constant. Hence S(P) = 1 + 3. Now,
space depends on data types of given variables and constant types and it will be
multiplied accordingly.
Algorithm analysis framework involves finding out the time taken and the memory space
required by a program to execute the program. It also determines how the input size of a
program influences the running time of the program.
The efficiency of some algorithms may vary for inputs of the same size. For
such algorithms, we need to differentiate between the worst case, average case
and best case efficiencies.
If an algorithm takes maximum amount of time to execute for a specific set of input, then
it is called the worst case time complexity. The worst case efficiency of an algorithm is
the efficiency for the worst case input of size n. The algorithm runs the longest among all
the possible inputs of the similar size because of this input of size n.
Algorithms are widely used in various areas of study. We can solve different problems
using the same algorithm. Therefore, all algorithms must follow a standard. The
mathematical notations use symbols or symbolic expressions, which have a precise
semantic meaning.
A problem may have various algorithmic solutions. In order to choose the best algorithm
for a particular process, you must be able to judge the time taken to run a particular
solution. More accurately, you must be able to judge the time taken to run two solutions,
and choose the better among the two.
To select the best algorithm, it is necessary to check the efficiency of each algorithm. The
efficiency of each algorithm can be checked by computing its time complexity. The
asymptotic notations help to represent the time complexity in a shorthand way. It can
generally be represented as the fastest possible, slowest possible or average possible.
The notations such as O (Big-O), Ώ (Omega), and θ (Theta) are called as asymptotic
notations. These are the mathematical notations that are used in three different cases of
time complexity.
‘O’ is the representation for Big-O notation. Big -O is the method used to express the
upper bound of the running time of an algorithm. It is used to describe the performance or
time complexity of the algorithm. Big-O specifically describes the worst-case scenario
and can be used to describe the execution time required or the space used by the
algorithm.
Table 2.1 gives some names and examples of the common orders used to
describe functions. These orders are ranked from top to bottom.
f(n) ≤ c ∗ g(n)
where, n can be any number of inputs or outputs and f(n) as well as g(n) are
two non-negative functions. These functions are true only if there is a constant
c and a non-negative integer n0 such that,
n ≥ n0.
The Big-O can also be denoted as f(n) = O(g(n)), where f(n) and g(n) are two
non -negative functions and f(n) < g(n) if g(n) is multiple of some constant c.
The graphical representation of f(n) = O(g(n)) is shown in figure 2.1, where
the running time increases considerably when n increases.
Example: Consider f(n)=15n3+40n2+2nlog n+2n. As the value of n
increases, n3 becomes much larger than n2, nlog n, and n. Hence, it
dominates the function f(n) and we can consider the running time to grow by
the order of n3. Therefore, it can be written as f(n)=O(n3).
The values of n for f(n) and C* g(n) will not be less than n0. Therefore, the
values less than n0 are not considered relevant.
Example:
Consider function f(n) = 2(n)+2 and g(n) = n2.
g(n) = n2 = 12 = 1
Here, f(n)>g(n)
Let n = 2, then
f(n) = 2(n)+2 = 2(2)+2 = 6
g(n) = n2 = 22 = 4
Here, f(n)>g(n)
Let n = 3, then
f(n) = 2(n)+2 = 2(3)+2 = 8
g(n) = n2 = 32 = 9
Here, f(n)<g(n)
Thus, when n is greater than 2, we get f(n)<g(n). In other words, as n becomes larger,
the running time increases considerably. This concludes that the Big-O helps to
determine the ‘upper bound’ of the algorithm’s run-time.
‘Ω’ is the representation for Omega notation. Omega describes the manner in which an
algorithm performs in the best case time complexity. This notation provides the minimum
amount of time taken by an algorithm to compute a problem. Thus, it is considered that
omega gives the "lower bound" of the algorithm's run-time. Omega is defined as:
f(n) ≥ c ∗ g(n)
Where, n is any number of inputs or outputs and f(n) and g(n) are two non-negative
functions. These functions are true only if there is a constant c and a non-negative integer
n0 such that n>n0.
Example:
Consider function f(n) = 2n2+5 and g(n) = 7n.
We need to find the constant c such that f(n) ≥ c ∗ g(n).
Let n = 0, then
f(n) = 2n2+5 = 2(0)2+5 = 5
g(n) = 7(n) = 7(0) = 0
Here, f(n)>g(n)
Let n = 1, then
Thus, for n=1, we get f(n) ≥ c ∗ g(n). This concludes that Omega helps to
determine the "lower bound" of the algorithm's run-time.
'θ' is the representation for Theta notation. Theta notation is used when the
upper bound and lower bound of an algorithm are in the same order of
magnitude. Theta can be defined as:
c1 ∗ g(n) ≤ f(n) ≤ c2 ∗ g(n) for all n>n0
Where, n is any number of inputs or outputs and f(n) and g(n) are two non-
negative functions. These functions are true only if there are two constants
namely, c1, c2, and a non-negative integer n0.
Example: Consider function f(n) = 4n + 3 and g(n) = 4n for all n ≥ 3; and f(n) = 4n + 3
and g(n) = 5n for all n ≥ 3.
f(n) = 4n + 3 = 4(3)+3 = 15
g(n) = 5n =5(3) = 15 and
here, c1 is 4, c2 is 5 and n0 is 3
Thus, from the above equation we get c1 g(n) f(n) c2 g(n). This concludes that Theta
notation depicts the running time between the upper bound and lower bound.
Introduction
Divide and Conquer approach basically works on breaking the problem into sub problems
that are similar to the original problem but smaller in size & simpler to solve. once
divided sub problems are solved recursively and then combine solutions of sub problems
to create a solution to original problem.
At each level of the recursion the divide and conquer approach follows three steps:
Divide: In this step whole problem is divided into several sub problems.
Conquer: The sub problems are conquered by solving them recursively, only if they are
small enough to be solved, otherwise step1 is executed.
Combine: In this final step, the solution obtained by the sub problems are combined to
create solution to the original problem.
Generally,
we can
follow
the divide-
and-
Examples: The specific computer algorithms are based on the Divide & Conquer
approach:
1. Relational Formula
2. Stopping Condition
1. Relational Formula: It is the formula that we generate from the given technique.
After generation of Formula, we apply D&C Strategy, i.e., we break the problem
recursively & solve the broken subproblems.
2. Stopping Condition: When we break the problem using Divide & Conquer Strategy,
then we need to know that for how much time, we need to apply divide & Conquer. So,
the condition where the need to stop our recursion steps of D&C is called as Stopping
Condition.
Following algorithms are based on the concept of the Divide and Conquer Technique:
1.11.2 Backtracking
Introduction
o Each non-leaf node in a tree is a parent of one or more other nodes (its children)
o Each node in the tree, other than the root, has exactly one parent
Generally, however, we draw our trees downward, with the root at the top.
To "explore" node N:
1. If N is a goal node, return "success"
2. If N is a leaf node, return "failure"
3. For each child C of N,
Explore C
If C was successful, return "success"
4. Return "failure"
Explicit Constraint is ruled, which restrict each vector element to be chosen from the
given set.
Implicit Constraint is ruled, which determine which each of the tuples in the solution
space, actually satisfy the criterion function.
1.11.3 Dynamic programming
Now for any problem to be solved through dynamic programming approach it must
follow the following conditions:
Principle of Optimality: It states that for solving the master problem optimally, its sub
problems should be solved optimally. It should be noted that not all the times each sub
problem(s) is solved optimally, so in that case we should go for optimal majority.
Polynomial Breakup: For solving the main problem, the problem is divided into several
sub problems and for efficient performance of dynamic programming the total number of
sub problems to be solved should be at-most a polynomial number.
Various algorithms which make use of Dynamic programming technique are as follows:
1. Knapsack problem.
2. Chain matrix multiplication.
3. All pair shortest path.
4. Travelling sales man problem.
5. Tower of hanoi.
6. Checker Board.
7. Fibonacci Sequence.
8. Assembly line scheduling.
9. Optimal binary search trees.
1.12 SUMMARY
A data structure is a particular way of storing and organizing data either in computer’s
memory or on the disk storage so that it can be used efficiently.
There are two types of data structures: primitive and non-primitive data structures.
Primitive data structures are the fundamental data types which are supported by a
programming language. Nonprimitive data structures are those data structures which are
created using primitive data structures.
Non-primitive data structures can further be classified into two categories: linear and
non-linear data structures.
If the elements of a data structure are stored in a linear or sequential order, then it is a
linear data structure. However, if the elements of a data structure are not stored in
sequential order, then it is a non-linear data structure.
An array is a collection of similar data elements which are stored in consecutive memory
locations.
A linked list is a linear data structure consisting of a group of elements (called nodes)
which together represent a sequence.
A stack is a last-in, first-out (LIFO) data structure in which insertion and deletion of
elements are done at only one end, which is known as the top of the stack.
A queue is a first-in, first-out (FIFO) data structure in which the element that is inserted
first is the first to be taken out. The elements in a queue are added at one end called the
rear and removed from the other end called the front.
A tree is a non-linear data structure which consists of a collection of nodes arranged in a
hierarchical tree structure.
A graph is often viewed as a generalization of the tree structure, where instead of a purely
parent-to-child relationship between tree nodes, any kind of complex relationships can
exist between the nodes.
An abstract data type (ADT) is the way we look at a data structure, focusing on what it
does and ignoring how it does its job.
An algorithm is basically a set of instructions that solve a problem.
The time complexity of an algorithm is basically the running time of the program as a
function of the input size.
The space complexity of an algorithm is the amount of computer memory required during
the program execution as a function of the input size.
The worst-case running time of an algorithm is an upper bound on the running time for
any input.
The average-case running time specifies the expected behaviour of the algorithm when
the input is randomly drawn from a given distribution.
The efficiency of an algorithm is expressed in terms of the number of elements that has to
be processed and the type of the loop that is being used.
2.0 OBJECTIVE :
Application of sorting
1. The sorting is useful in database applications for arranging the data in desired ORDER.
2. In the dictionary like applications the data is arranged in sorted order.
3. For searching the element from the list of elements the sorting is required
4. For checking the uniqueness of the element the sorting is required.
5. For finding the closest pair from the list of elements the sorting is required.
In bubble sorting, consecutive adjacent pairs of elements in the array are compared
with each other. If the element at the lower index is greater than the element at the
higher index, the two elements are interchanged so that the element is placed before the
bigger one. This process will continue till the list of unsorted elements exhausts.
This procedure of sorting is called bubble sorting because elements ‘bubble’ to the
top of the list. Note that at the end of the first pass, the largest element in the list will be
placed at its proper position (i.e., at the end of the list).
Note :If the elements are to be sorted in descending order, then in first pass the
smallest element is movedto the highest index of the array.
Example To discuss bubble sort in detail, let us consider an arrayA[]that has the
followingelements:
Pass 1:
Compare 30 and 52. Since 30 < 52, no swapping is done.
Compare 52 and 29. Since 52 > 29, swapping is
done. 30, 29, 52, 87, 63, 27, 19, 54
Observe that after the end of the first pass, the largest element is placed at the
highest index of the array. All the other elements are still unsorted.
Pass 2:
Observe that after the end of the second pass, the second largest element is
placed at the second highest index of the array. All the other elements are still
unsorted.
Pass 3:
Compare 29 and 30. Since 29 < 30, no swapping is done.
Observe that after the end of the third pass, the third largest element is placed at
the third highest index of the array. All the other elements are still unsorted.
Pass 4:
Observe that after the end of the fourth pass, the fourth largest element is placed at
the fourth highest index of the array. All the other elements are still unsorted.
Pass 5:
Observe that after the end of the fifth pass, the fifth largest element is placed at
the fifth highest index of the array. All the other elements are still unsorted.
Pass 6:
Compare 27 and 19. Since 27 > 19, swapping
is done. 19, 27, 29, 30, 52, 54, 63, 87
Observe that after the end of the sixth pass, the sixth largest element is placed at
the sixth largest index of the array. All the other elements are still unsorted.
Pass 7:
Advantages :
1. Program
2. #include<stdio.h>
3. void main ()
4. {
5. int i, j,temp;
6. int a[10] = { 10, 9, 7, 101, 23, 44, 12, 78, 34, 23};
7. for(i = 0; i<10; i++)
8. {
9. for(j = i+1; j<10; j++)
10. {
11. if(a[j] > a[i])
12. {
13. temp = a[i];
14. a[i] = a[j];
15. a[j] = temp;
16. }
17. }
18. }
19. printf("Printing Sorted Element List ...\n");
20. for(i = 0; i<10; i++)
21. {
22. printf("%d\n",a[i]);
23. }
24. }
Output:
The complexity of any sorting algorithm depends upon the number of comparisons. In
bubble sort, we have seen that there are N–1 passes in total. In the first pass, N–
1comparisons are made to place the highest element in its correct position. Then, in
Pass 2, there are N–2 comparisons and the second highest element is placed in its
position. Therefore, to compute the complexity of bubble sort, we need to calculate the
total number of comparisons. It can be given as:
f(n) = (n – 1) + (n – 2) + (n – 3) + ..... + 3 + 2 + 1
f(n) = n (n – 1)/2
Therefore, the complexity of bubble sort algorithm is O(n2). It means the time required
to execute bubble sort is proportional to n2, where n is the total number of elements in
the array.
Insertion sort is a very simple sorting algorithm in which the sorted array (or list) is built
one element at a time. We all are familiar with this technique of sorting, as we usually
use it for ordering a deck of cards while playing bridge.
Insertion sort inserts each item into its proper place in the final list. In insertion sort , the
first iteration starts with comparison of 1st element with 0th element. In the second
iteration 2nd element is compared with the 0th and 1st element and so on. In every
iteration an element is compared with all elements. The main idea is to insert the ith pass
the ith element in A[1], A[2]…A[i] in its proper place.
Example Consider an array of integers given below. We will sort the values in the
arrayusing insertion sort
23 15 29 11 1
Algorithm for insertion sort
INSERTION-SORT (ARR, N)
Step 1: Repeat Steps 2 to 5 for K = 1 to N – 1
Step 2: SET TEMP = ARR[K]
Step 3: SET J = K - 1
Step 4: Repeat while TEMP <= ARR[J]
SET ARR[J + 1] = ARR[J]
SET J = J - 1
[END OF INNER LOOP]
Step 5: SET ARR[J + 1] = TEMP
[END OF LOOP]
Step 6: EXIT
Advantages:
Disadvantages:
o Inefficient for large list O (n2).
Program
1. #include<stdio.h>
2. void main ()
3. {
4. int i,j, k,temp;
5. int a[10] = { 10, 9, 7, 101, 23, 44, 12, 78, 34, 23};
6. printf("\nprinting sorted elements...\n");
7. for(k=1; k<10; k++)
8. {
9. temp = a[k];
10. j= k-1;
11. while(j>=0 && temp <= a[j])
12. {
13. a[j+1] = a[j];
14. j = j-1;
15. }
16. a[j+1] = temp;
17. }
18. for(i=0;i<10;i++)
19. {
20. printf("\n%d\n",a[i]);
21. }
22. }
Output:
Selection sorting is conceptually the simplest sorting algorithm. This algorithm first finds
the smallest element in the array and exchanges it with the element in the first position,
then finds the second smallest element and exchange it with the element in the second
position, and continues in this way until the entire array is sorted.
Example 1 : 3, 6, 1, 8, 4, 5
Advantages:
It is simple and easy to implement.
It can be used for small data sets.
It is 60 per cent more efficient than bubble sort.
Disadvantages:
Program
1. #include<stdio.h>
2. int smallest(int[],int,int);
3. void main ()
4. {
5. int a[10] = {10, 9, 7, 101, 23, 44, 12, 78, 34, 23};
6. int i,j,k,pos,temp;
7. for(i=0;i<10;i++)
8. {
9. pos = smallest(a,10,i);
10. temp = a[i];
11. a[i]=a[pos];
12. a[pos] = temp;
13. }
14. printf("\nprinting sorted elements...\n");
15. for(i=0;i<10;i++)
16. {
17. printf("%d\n",a[i]);
18. }
19. }
20. int smallest(int a[], int n, int i)
21. {
22. int small,pos,j;
23. small = a[i];
24. pos = i;
25. for(j=i+1;j<10;j++)
26. {
27. if(a[j]<small)
28. {
29. small = a[j];
30. pos=j;
31. }
32. }
33. return pos;
34. }
Output:
The first element is compared with the remaining n-1 elements in pass 1. Then n-2
elements are taken in pass 2, this process is repeated until the last element is encountered.
The mathematical expression for these iterations will be equal to:
(n-1)+(n-2)+….,+(n-(n-1)).Thus the expression become n*(n-1)/2. Thus, the number of
comparisons is proportional to (n2). The time complexity of selection sort is O(n2).
Merging means combining two sorted lists into one-sorted list. The merge sort splits the
array to be sorted into two equal halves and each array is recursively sorted, then merged
back together to form the final sorted array. The logic is to split the array into two sub
arrays each sub array is individually sorted and the resulting sequence is then combined
to produce a single sorted sequence of n elements.
Merge sort algorithm is best case for sorting slow -access data e.g) tape
drive.
Merge sort algorithm is better at handling sequential - accessed lists.
Disadvantages:
Program
1. #include<stdio.h>
2. void mergeSort(int[],int,int);
3. void merge(int[],int,int,int);
4. void main ()
5. {
6. int a[10]= {10, 9, 7, 101, 23, 44, 12, 78, 34, 23};
7. int i;
8. mergeSort(a,0,9);
9. printf("printing the sorted elements");
10. for(i=0;i<10;i++)
11. {
12. printf("\n%d\n",a[i]);
13. }
14.
15. }
16. void mergeSort(int a[], int beg, int end)
17. {
18. int mid;
19. if(beg<end)
20. {
21. mid = (beg+end)/2;
22. mergeSort(a,beg,mid);
23. mergeSort(a,mid+1,end);
24. merge(a,beg,mid,end);
25. }
26. }
27. void merge(int a[], int beg, int mid, int end)
28. {
29. int i=beg,j=mid+1,k,index = beg;
30. int temp[10];
31. while(i<=mid && j<=end)
32. {
33. if(a[i]<a[j])
34. {
35. temp[index] = a[i];
36. i = i+1;
37. }
38. else
39. {
40. temp[index] = a[j];
41. j = j+1;
42. }
43. index++;
44. }
45. if(i>mid)
46. {
47. while(j<=end)
48. {
49. temp[index] = a[j];
50. index++;
51. j++;
52. }
53. }
54. else
55. {
56. while(i<=mid)
57. {
58. temp[index] = a[i];
59. index++;
60. i++;
61. }
62. }
63. k = beg;
64. while(k<index)
65. {
66. a[k]=temp[k];
67. k++;
68. }
69. }
Output:
7
9
10
12
23
23
34
44
78
101
The running time of merge sort in the average case and the worst case can be given as
O(n logn). Although merge sort has an optimal timecomplexity, it needs an additional
space of O(n) for the temporary array TEMP.
Applications
Merge Sort is useful for sorting linked lists in O(nLogn) time.
Inversion Count Problem
Used in External Sorting
Step 1: [INITIALIZE] SET LEFT = BEG, RIGHT = END, LOC = BEG, FLAG =
Step 2: Repeat Steps 3 to 6 while FLAG =
Advantages:
o Extremely fast O(n log2 n)
o Gives good results when an array is in random order.
o Quick sort can be used to sort arrays of small size, medium size, or large size.
Disadvantages:
o Algorithm is very complex
o In worst case of quick sort algorithm, the time efficieny is very poor which is
very much likely to selection sort algorithm i.e) n(log 2 n).
Program
1. #include <stdio.h>
2. int partition(int a[], int beg, int end);
3. void quickSort(int a[], int beg, int end);
4. void main()
5. {
6. int i;
7. int arr[10]={90,23,101,45,65,23,67,89,34,23};
8. quickSort(arr, 0, 9);
9. printf("\n The sorted array is: \n");
10. for(i=0;i<10;i++)
11. printf(" %d\t", arr[i]);
12. }
13. int partition(int a[], int beg, int end)
14. {
15.
16. int left, right, temp, loc, flag;
17. loc = left = beg;
18. right = end;
19. flag = 0;
20. while(flag != 1)
21. {
22. while((a[loc] <= a[right]) && (loc!=right))
23. right--;
24. if(loc==right)
25. flag =1;
26. else if(a[loc]>a[right])
27. {
28. temp = a[loc];
29. a[loc] = a[right];
30. a[right] = temp;
31. loc = right;
32. }
33. if(flag!=1)
34. {
35. while((a[loc] >= a[left]) && (loc!=left))
36. left++;
37. if(loc==left)
38. flag =1;
39. else if(a[loc] <a[left])
40. {
41. temp = a[loc];
42. a[loc] = a[left];
43. a[left] = temp;
44. loc = left;
45. }
46. }
47. }
48. return loc;
49. }
50. void quickSort(int a[], int beg, int end)
51. {
52.
53. int loc;
54. if(beg<end)
55. {
56. loc = partition(a, beg, end);
57. quickSort(a, beg, loc-1);
58. quickSort(a, loc+1, end);
59. }
60. }
Output:
Radix sort is one of the sorting algorithms used to sort a list of integer numbers in order.
In radix sort algorithm, a list of integer numbers will be sorted based on the digits of
individual numbers. Sorting is performed from least significant digit to the most
significant digit.
Radix sort algorithm requires the number of passes which are equal to the number of
digits present in the largest number among the list of numbers. For example, if the largest
number is a 3 digit number then that list is sorted with 3 passes.
Step by Step Process
The Radix sort algorithm is performed using the following steps...
Step 1 - Define 10 queues each representing a bucket for each digit from 0 to 9.
Step 2 - Consider the least significant digit of each number in the list which is to
be sorted.
Step 3 - Insert each number into their respective queue based on the least
significant digit.
Step 4 - Group all the numbers from queue 0 to queue 9 in the order they have
inserted into their respective queues.
Step 5 - Repeat from step 3 based on the next least significant digit.
Step 6 - Repeat from step 2 until all the numbers are grouped based on the most
significant digit.
Algorithm for Radix Sort
Algorithm for RadixSort (ARR, N)
In the first pass, the numbers are sorted according to the digit at ones place. The
buckets are pictured upside down as shown below.
After this pass, the numbers are collected bucket by bucket. The new list thus formed is
used as an input for the next pass. In the second pass, the numbers are sorted according to
the digit at the tens place. The buckets are pictured upside down.
In the third pass, the numbers are sorted according to the digit at the hundreds
place. The buckets are pictured upside down.
The numbers are collected bucket by bucket. The new list thus formed is the
final sorted result. After the third pass, the list can be given as
Advantages:
o Radix sort algorithm is well known for its fastest sorting algorithm for
numbers and even for strings of letters.
o Radix sort algorithm is the most efficient algorithm for elements which
are arranged in descending order in an array.
Disadvantages:
o Radix sort takes more space than other sorting algorithms.
Output:
A) Terms in Heap:
a) Heap:
Heap is a special tree-based data structure that satisfies the following special heap
properties
b) Shape Property:
Heap data structure is always a complete Binary Tree, which means all levels of the tree
are fully filled.
c) Heap Property:
All nodes are either (greater than or equal to) or (less than or equal to) each of its
children. If the parent nodes are greater than their children, heap is called a Max-Heap,
and if the parent nodes are small than their child nodes, heap is called Min-Heap.
B) Working of Heap Sort:
Initially on receiving an unsorted list, the first step in heap sort is to create a Heap data
structure (Max-Heap or Min-Heap). Once heap is built, the first element of the Heap I
either largest or smallest(depending upon Max-Heap or min-Heap), so put the first
element of the heap in array. Then again make heap using the remaining elements, to
again pick the first element of the heap and put it into the array. Keep on doing the same
repeatedly until we have the complete sorted list in array.
The elements are always inserted at the bottom of the original heap. After
insertion, the heap remains complete but the order property is not followed so we use
an UPHEAP or HEAPIFY operation. This involves moving the elements upward
from the last position where it satisfies the order property. If the value of last node is
greater than its parent, exchange it’s value with it’s parent and repeat the process
with each parent node until the order property is satisfied.
A heap H with N elements is stored in the array TREE, and an item of information
is given. This procedure inserts ITEM as a new element of H. PTR gives the location of
ITEM as it rises in the tree, and PAR denotes the location of the parent of ITEM.
1. Set N = N +1 and PTR = N [Add new node to H and initialize PTR].
2. Repeat Steps 3 to 6 while PTR<1 [Find location to insert ITEM].
3. Set PAR = [PTR/2]. [Location of parent node].
4. If ITEM ≤ TREE[PAR], then :
Set TREE[PTR] = ITEM, and return.
[End of If Structure].
5. Set TREE[PTR] = TREE[PAR]. [Moves node down]
6. Set PTR = PAR [Updates PTR]
[End of step 2 loop].
7. Set TREE[1] = ITEM [Assign ITEM as a root of H].
8. Exit
A heap H with N elements is stored in the array TREE. This procedure assigns
the root TREE[1] of H to the variable ITEM and then reheaps the remaining elements.
The variable LAST saves the value of the original last node of H. The pointers PTR,
LEFT and RIGHT give the locations of LAST and its left and right children as LAST
sinks in the tree.
10. Exit
Advantages:
Disadvantages:
Heap sort is not a Stable sort, and requires a constant space for sorting a list.
Heap sort algorithm's worst case comes with the running time of 0(n log (n))
which is more likely to merge sort algorithm.
Program
1. #include<stdio.h>
2. int temp;
3.
4. void heapify(int arr[], int size, int i)
5. {
6. int largest = i;
7. int left = 2*i + 1;
8. int right = 2*i + 2;
9.
10. if (left < size && arr[left] >arr[largest])
11. largest = left;
12.
13. if (right < size && arr[right] > arr[largest])
14. largest = right;
15.
16. if (largest != i)
17. {
18. temp = arr[i];
19. arr[i]= arr[largest];
20. arr[largest] = temp;
21. heapify(arr, size, largest);
22. }
23. }
24.
25. void heapSort(int arr[], int size)
26. {
27. int i;
28. for (i = size / 2 - 1; i >= 0; i--)
29. heapify(arr, size, i);
30. for (i=size-1; i>=0; i--)
31. {
32. temp = arr[0];
33. arr[0]= arr[i];
34. arr[i] = temp;
35. heapify(arr, i, 0);
36. }
37. }
38.
39. void main()
40. {
41. int arr[] = {1, 10, 2, 3, 4, 1, 2, 100,23, 2};
42. int i;
43. int size = sizeof(arr)/sizeof(arr[0]);
44.
45. heapSort(arr, size);
46.
47. printf("printing sorted elements\n");
48. for (i=0; i<size; ++i)
49. printf("%d\n",arr[i]);
50. }
Output:
1
1
2
2
2
3
4
10
23
100
To sort an unsorted list with 'n' number of elements, following are the complexities...
Worst Case : O(n log n)
Best Case : O(n log n)
Average Case : O(n log n)
Shell sort algorithm is very similar to that of the Insertion sort algorithm. In case of
Insertion sort, we move elements one position ahead to insert an element at its correct
position. Whereas here, Shell sort starts by sorting pairs of elements far apart from each
other, then progressively reducing the gap between elements to be compared. Starting
with far apart elements, it can move some out-of-place elements into the position faster
than a simple nearest-neighbor exchange.
Here is an example to help you understand the working of Shell sort on array of elements
name A = {17, 3, 9, 1, 8}
Algorithm for shell sort
Shell_Sort(Arr, n)
Advantages:
Shell sort algorithm is only efficient for finite number of elements in an
array.
Shell sort algorithm is 5.32 x faster than bubble sort algorithm.
Disadvantages:
Shell sort algorithm is complex in structure and bit more dif ficult to
understand.
Shell sort algorithm is significantly slower than the merge sort, quick
sort and heap sort algorithms.
Program
1. #include <stdio.h>
2. void shellsort(int arr[], int num)
3. {
4. int i, j, k, tmp;
5. for (i = num / 2; i > 0; i = i / 2)
6. {
7. for (j = i; j < num; j++)
8. {
9. for(k = j - i; k >= 0; k = k - i)
10. {
11. if (arr[k+i] >= arr[k])
12. break;
13. else
14. {
15. tmp = arr[k];
16. arr[k] = arr[k+i];
17. arr[k+i] = tmp;
18. }
19. }
20. }
21. }
22. }
23. int main()
24. {
25. int arr[30];
26. int k, num;
27. printf("Enter total no. of elements : ");
28. scanf("%d", &num);
29. printf("\nEnter %d numbers: ", num);
30.
31. for (k = 0 ; k < num; k++)
32. {
33. scanf("%d", &arr[k]);
34. }
35. shellsort(arr, num);
36. printf("\n Sorted array is: ");
37. for (k = 0; k < num; k++)
38. printf("%d ", arr[k]);
39. return 0;
40. }
Output:
Enter 6 numbers: 3
2
4
10
2
1
2.3 SUMMERY
Sorting deals with sorting the data stored in the memory, whereas external sorting
deals with sorting the data stored in files.
In bubble sorting, consecutive adjacent pairs of elements in the array are compared
with each other.
Insertion sort works by moving the current data element past the already sorted values
and repeatedly interchanging it with the preceding value until it is in the correct place.
Selection sort works by finding the smallest value and placing it in the first position.
It then finds the second smallest value and places it in the second position. This
procedure is repeated until the whole array is sorted.
Merge sort is a sorting algorithm that uses the divide, conquer, and combine
algorithmic paradigm. Divide means partitioning the n-element array to be sorted into
two sub-arrays of n/2 elements in each sub-array. Conquer means sorting the two sub-
arrays recursively using merge sort. Combine means merging the two sorted sub-
arrays of size n/2 each to produce a sorted array of n elements. The running time of
merge sort in average case and worst case can be given as O(n log n).
Radix sort is a linear sorting algorithm that uses the concept of sorting names in
alphabetical order.
Heap sort sorts an array in two phases. In the first phase, it builds a heap of the given
array. In the second phase, the root element is deleted repeatedly and inserted into an
array.
Shell sort is considered as an improvement over insertion sort, as it compares
elements separated by a gap of several positions.
https://www.javatpoint.com/
https://www.studytonight.com
https://www.tutorialspoint.com
https://www.geeksforgeeks.org/heap-sort/
https://www.programiz.com/dsa/heap-sort
https://www.2braces.com/data-structures
Unit 2: CHAPTER-3
Searching Techniques
3.0 Objective
3.1 Introduction to Searching
3.2 Searching Techniques
3.2.1 Linear Search /Sequential Search
3.2.2 Binary Search
3.3 Summary
3.4 Model Questions
3.5 List of References
3.0 OBJECTIVE
To study basic concepts of searching.
To study different searching techniques like linear search and binary search.
Comparisons of searching methods and their time complexity
Searching is the process of finding some particular element in the list. If the element is
present in the list, then the process is called successful and the process returns the
location of that element, otherwise the search is called unsuccessful.
There are two popular search methods that are widely used in order to search some item
into the list. However, choice of the algorithm depends upon the arrangement of the list.
o Linear Search
o Binary Search
Linear search, also called as sequential search, is a very simple method used for
searching an array for a particular value. It works by comparing the value to be
searched with every element of the array one by one in a sequence until a match is
found. Linear search is mostly used to search an unordered list of elements (array
in which data elements are not sorted).
For example, if an array A[] is declared and initialized as,
to find whether the value ‘5’ is present in the array or not. If yes, then it returns the
position of its occurrence. Here, POS = 6 (index starting from 0).
Programming Example
Write a program to search an element in an array using the linear search technique.
#include<stdio.h>
void main ()
{
int a[10] = {10, 23, 40, 1, 2, 0, 14, 13, 50, 9};
int item, i,flag;
printf("\nEnter Item which is to be searched\n");
scanf("%d",&item);
for (i = 0; i< 10; i++)
{
if(a[i] == item)
{
flag = i+1;
break;
}
else
flag = 0;
}
if(flag != 0)
{
printf("\nItem found at location %d\n",flag);
}
else
{
printf("\nItem not found\n");
}
}
Output:
Slow searching of large lists. For example, when searching through a database of
everyone in the Northern Ireland to find a particular name, it might be
necessary to search through 1.8 million names before you found the one you
wanted. This speed disadvantage is why other search methods have been
developed.
Binary search follows divide and conquer approach in which, the list is divided into two
halves and the item is compared with the middle element of the list. If the match is found
then, the location of middle element is returned otherwise, we search into either of the
halves depending upon the result produced through the match.
Let us consider an array arr = {1, 5, 7, 8, 13, 19, 20, 23, 29}. Find the location of the item
23 in the array.
In 1st step :
1. BEG = 0
2. END = 8
3. MID = 4
4. a[mid] = a[4] = 13 < 23, therefore
in Second step:
1. Beg = mid +1 = 5
2. End = 8
3. mid = 13/2 = 6
4. a[mid] = a[6] = 20 < 23, therefore;
in third step:
1. beg = mid + 1 = 7
2. End = 8
3. mid = 15/2 = 7
4. a[mid] = a[7]
5. a[7] = 23 = item;
6. therefore, set location = mid;
7. The location of the item will be 7.
Binary search algorithm is given below.
Programming Example
Write a program to search an element in an array using binary search.
1. #include<stdio.h>
2. int binarySearch(int[], int, int, int);
3. void main ()
4. {
5. int arr[10] = {16, 19, 20, 23, 45, 56, 78, 90, 96, 100};
6. int item, location=-1;
7. printf("Enter the item which you want to search ");
8. scanf("%d",&item);
9. location = binarySearch(arr, 0, 9, item);
if(location != -1)
{
printf("Item found at location %d",location);
}
else
{
printf("Item not found");
}
}
int binarySearch(int a[], int beg, int end, int item)
{
int mid;
if(end >= beg)
{
mid = (beg + end)/2;
if(a[mid] == item)
{
return mid+1;
}
else if(a[mid] < item)
{
return binarySearch(a,mid+1,end,item);
}
else
{
return binarySearch(a,beg,mid-1,item);
}
}
return -1;
} Output:
Enter the item which you want to search
19
Item found at location 2
Advantages-
The advantages of binary search algorithm are-
It eliminates half of the list from further searching by using the result of each
comparison.
It indicates whether the element being searched is before or after the current
position in the list.
This information is used to narrow the search.
For large lists of data, it works significantly better than linear search.
Disadvantages-
The disadvantages of binary search algorithm are-
Itemploys recursive approach which requires more stack space.
Programming binary search algorithm is error prone and difficult.
The interaction of binary search with memory hierarchy i.e. caching is poor.
(because of its random access nature)
As we dispose off one part of the search case during every step of binary search, and
perform the search operation on the other half, this results in a worst case time
complexity of O(log2N).
3.3 SUMMARY
Searching refers to finding the position of a value in a collection of values. Some of the
popular searching techniques are linear search, binary search.
Linear search works by comparing the value to be searched with every element of the
array one by one is a sequence until a match is found.
Binary search works efficiently with a sorted list. In this algorithm, the value to be
searched is compared with the middle element of the array segment.
https://www.javatpoint.com/
https://www.studytonight.com
https://www.tutorialspoint.com
https://www.geeksforgeeks.org/heap-sort/
https://www.programiz.com/dsa/heap-sort
https://www.2braces.com/data-structures
Unit 1: CHAPTER 3
Searching Techniques
3.0 Objective
3.1 Introduction to Searching
3.2 Searching Techniques
3.2.1 Linear Search /Sequential Search
3.2.2 Binary Search
3.3 Summary
3.4 Model Questions
3.5 List of References
3.0 OBJECTIVE
To study basic concepts of searching.
To study different searching techniques like linear search and binary search.
Comparisons of searching methods and their time complexity
Searching is the process of finding some particular element in the list. If the element is
present in the list, then the process is called successful and the process returns the
location of that element, otherwise the search is called unsuccessful.
There are two popular search methods that are widely used in order to search some item
into the list. However, choice of the algorithm depends upon the arrangement of the list.
o Linear Search
o Binary Search
Linear search, also called as sequential search, is a very simple method used for
searching an array for a particular value. It works by comparing the value to be
searched with every element of the array one by one in a sequence until a match is
found. Linear search is mostly used to search an unordered list of elements (array
in which data elements are not sorted).
For example, if an array A[] is declared and initialized as,
to find whether the value ‘5’ is present in the array or not. If yes, then it returns the
position of its occurrence. Here, POS = 6 (index starting from 0).
Programming Example
Write a program to search an element in an array using the linear search technique.
#include<stdio.h>
void main ()
{
int a[10] = {10, 23, 40, 1, 2, 0, 14, 13, 50, 9};
int item, i,flag;
printf("\nEnter Item which is to be searched\n");
scanf("%d",&item);
for (i = 0; i< 10; i++)
{
if(a[i] == item)
{
flag = i+1;
break;
}
else
flag = 0;
}
if(flag != 0)
{
printf("\nItem found at location %d\n",flag);
}
else
{
printf("\nItem not found\n");
}
}
Output:
Binary search is the search technique which works efficiently on the sorted lists.
Hence, in order to search an element into some list by using binary search technique,
we must ensure that the list is sorted.
Binary search follows divide and conquer approach in which, the list is divided into
two halves and the item is compared with the middle element of the list. If the match
is found then, the location of middle element is returned otherwise, we search into
either of the halves depending upon the result produced through the match.
Let us consider an array arr = {1, 5, 7, 8, 13, 19, 20, 23, 29}. Find the location of the
item 23 in the array.
In 1st step :
5. BEG = 0
6. END = 8
7. MID = 4
8. a[mid] = a[4] = 13 < 23, therefore
in Second step:
5. Beg = mid +1 = 5
6. End = 8
7. mid = 13/2 = 6
8. a[mid] = a[6] = 20 < 23, therefore;
in third step:
8. beg = mid + 1 = 7
9. End = 8
10. mid = 15/2 = 7
11. a[mid] = a[7]
12. a[7] = 23 = item;
13. therefore, set location = mid;
14. The location of the item will be 7.
Binary search algorithm is given below.
Programming Example
Write a program to search an element in an array using binary search.
10. #include<stdio.h>
11. int binarySearch(int[], int, int, int);
12. void main ()
13. {
14. int arr[10] = {16, 19, 20, 23, 45, 56, 78, 90, 96, 100};
15. int item, location=-1;
16. printf("Enter the item which you want to search ");
17. scanf("%d",&item);
18. location = binarySearch(arr, 0, 9, item);
if(location != -1)
{
printf("Item found at location %d",location);
}
else
{
printf("Item not found");
}
}
int binarySearch(int a[], int beg, int end, int item)
{
int mid;
if(end >= beg)
{
mid = (beg + end)/2;
if(a[mid] == item)
{
return mid+1;
}
else if(a[mid] < item)
{
return binarySearch(a,mid+1,end,item);
}
else
{
return binarySearch(a,beg,mid-1,item);
}
}
return -1;
} Output:
Enter the item which you want to search
19
Item found at location 2
Advantages-
The advantages of binary search algorithm are-
It eliminates half of the list from further searching by using the result of each
comparison.
It indicates whether the element being searched is before or after the current
position in the list.
This information is used to narrow the search.
For large lists of data, it works significantly better than linear search.
Disadvantages-
The disadvantages of binary search algorithm are-
Itemploys recursive approach which requires more stack space.
Programming binary search algorithm is error prone and difficult.
The interaction of binary search with memory hierarchy i.e. caching is poor.
(because of its random access nature)
As we dispose off one part of the search case during every step of binary search, and
perform the search operation on the other half, this results in a worst case time
complexity of O(log2N).
Finds the key present at first position in Finds the key present at centre position in
constant time constant time
Sequence of elements in the container does not The elements must be sorted in the container
affect.
Arrays and linked lists can be used to It cannot be implemented directly into the
implement this linked list. We need to change the basic rules of
the list to implement this
Algorithm is easy to implement, and requires Algorithm is slightly complex. It takes more
less amount of code. amount of code to implement.
N number of comparisons are required for Log n number of comparisons are sufficient in
worst case. worst case.
3.3 SUMMARY
Linear search works by comparing the value to be searched with every element of
the array one by one is a sequence until a match is found.
Binary search works efficiently with a sorted list. In this algorithm, the value to be
searched is compared with the middle element of the array segment.
https://www.javatpoint.com/
https://www.studytonight.com
https://www.tutorialspoint.com
https://www.geeksforgeeks.org/heap-sort/
https://www.programiz.com/dsa/heap-sort
https://www.2braces.com/data-structures
Unit 3:Hashing
Chapter 4
4.0 Objective
4.1. Hashing
4.2. Why we need Hashing?
4.3.Universal Hashing
4.4.Rehashing
4.5.Hash Tables
4.6.Why use HashTable?
4.7.Application of Hash Tables:
4.8.Methods of Hashing
4.8.1. Hashing with Chaining
4.8.2.Collision Resolution by Chaining
4.8.3. Analysis of Hashing with Chaining:
4.9.Hashing with Open Addressing
4.10.Open Addressing Techniques
4.10.1.Linear Probing.
4.10.2.Quadratic Probing.
4.10.3.Double Hashing.
4.11.Hash Function
4.12.Characteristics of Good Hash Function:
4.13.Some Popular Hash Function
4.13.1. Division Method
4.13.2 Duplication Method
4.13.3. Mid Square Method
4.13.4.Folding Method
4.0.Objective
This chapter would make you understand the following concepts:
Different Hashing Techniques
Address calculation Techniques
Collision resolution techniques
4.1 Hashing
Hashing is the change of a line of character into a normally more limited fixed-length
worth or key that addresses the first string.
Hashing is utilized to list and recover things in a data set since it is quicker to
discover the thing utilizing the briefest hashed key than to discover it utilizing the
first worth. It is likewise utilized in numerous encryption calculations.
A hash code is produced by utilizing a key, which is an exceptional worth.
Hashing is a strategy where given key field esteem is changed over into the location
of capacity area of the record by applying a similar procedure on it.
The benefit of hashing is that permits the execution season of fundamental activity to
stay consistent in any event, for the bigger side.
4.2 Why we need Hashing?
Assume we have 50 workers, and we need to give 4 digit key to every representative
(with respect to security), and we need subsequent to entering a key, direct client
guide to a specific position where information is put away.
In the event that we give the area number as per 4 digits, we should hold 0000 to
9999 locations since anyone can utilize anybody as a key. There is a great deal of
wastage.
To tackle this issue, we use hashing which will deliver a more modest estimation of
the record of the hash table relating to the key of the client.
4.3 Universal Hashing
Leave H alone a limited assortment of hash works that map a given universe U of
keys into the reach {0, 1..... m-1}. Such an assortment is supposed to be all inclusive
if for each pair of particular keys k,l∈U, the quantity of hash capacities h∈ H for
which h(k)= h(l) is all things considered |H|/m. As such, with a hash work
haphazardly browsed H, the possibility of an impact between particular keys k and l
is close to the opportunity 1/m of a crash if h(k) and h(l)were arbitrarily and
autonomously looked over the set {0,1,...m-1}.
4.4.Rehashing
On the off chance that any stage the hash table turns out to be almost full, the running
time for the activities of will begin taking an excess of time, embed activity may fall
flat in such circumstance, the most ideal arrangement is as per the following:
1. Make another hash table twofold in size.
2. Output the first hash table, register new hash worth and addition into the new
hash table.
3. Free the memory involved by the first hash table.
Model: Consider embeddings the keys 10, 22, 31,4,15,28,17,88 and 59 into a hash
table of length m = 11 utilizing open tending to with the essential hash work h' (k) = k
mod m .Illustrate the aftereffect of embeddings these keys utilizing straight
examining, utilizing quadratic testing with c1=1 and c2=3, and utilizing twofold
hashing with h2(k) = 1 + (k mod (m-1)).
Arrangement: Using Linear Probing the last condition of hash table would be:
Using Quadratic Probing with c1=1, c2=3, the final state of hash table would be h (k,
i) = (h' (k) +c1*i+ c2 *i2) mod m where m=11 and h' (k) = k mod m.
Using Double Hashing, the final state of the hash table would be:
4.5 Hash Tables
It is an assortment of things which are put away so as to make it simple to discover
them later.
Each position in the hash table is called opening, can hold a thing and is named by a
number worth beginning at 0.
The planning between a thing and a space where the thing should be in a hash table is
known as a Hash Function. A hash Function acknowledges a key and returns its hash
coding, or hash esteem.
Expect we have a bunch of whole numbers 54, 26, 93, 17, 77, 31. Our first hash work
needed to be as "leftover portion strategy" just takes the thing and separation it by
table size, returning remaining portion as its hash esteem for example
h item = item % (size of table)
Let us say the size of table = 11, then
54 % 11 = 10 26 % 11 = 4 93 % 11 = 5
17 % 11 = 6 77 % 11 = 0 31 % 11 = 9
Now when we need to search any element, we just need to divide it by the table size,
and we get the hash value. So we get the O (1) search time.
Now taking one more element 44 when we apply the hash function on 44, we get (44
% 11 = 0), But 0 hash value already has an element 77. This Problem is called as
Collision.
Collision: According to the Hash Function, two or more item would need in the same
slot. This is said to be called as Collision.
Figure: using a hash function h to map keys to hash-table slots. Because keys K2 and
k5 map to the same slot, they collide.
4.6.Why use HashTable?
1. If U (Universe of keys) is large, storing a table T of size [U] may be
impossible.
2. Set k of keys may be small relative to U so space allocated for T will waste.
So Hash Table requires less storage. Indirect addressing element with key k is stored
in slot k with hashing it is stored in h (k) where h is a hash fn and hash (k) is the
value of key k. Hash fn required array range.
4.7.Application of Hash Tables:
Some use of Hash Tables are:
1. Data set System: Specifically, those that are required effective arbitrary
access. Generally, information base frameworks attempt to create between
two sorts of access techniques: successive and arbitrary. Hash Table is an
essential piece of proficient arbitrary access since they give an approach to
find information in a consistent measure of time.
2. Image Tables: The tables used by compilers to keep up information about
images from a program. Compilers access data about images much of the
time. In this manner, it is fundamental that image tables be actualized
productively.
3. Information Dictionaries: Data Structure that supports adding, erasing, and
looking for information. Albeit the activity of hash tables and an information
word reference are comparable, other Data Structures might be utilized to
actualize information word references.
4. Cooperative Arrays: Associative Arrays comprise of information orchestrated
so nth components of one exhibit compare to the nth component of another.
Cooperative Arrays are useful for ordering a consistent gathering of
information by a few key fields.
4.8 .Methods of Hashing
There are two main methods used to implement hashing:
2.4.1.Hashing with Chaining
2.4.2.Hashing with open addressing
4.8.1.Hashing with Chaining
In Hashing with Chaining, the component in S is put away in Hash table T [0...m-
1] of size m, where m is to some degree bigger than n, the size of S. The hash
table is said to have m spaces. Related with the hashing plan is a hash work h
which is planning from U to {0...m-1}.Each key k ∈S is put away in area T [h
(k)], and we say that k is hashed into opening h (k). In the event that more than
one key in S hashed into a similar opening, we have a crash.
In such case, all keys that hash into a similar space are put in a connected
rundown related with that opening, this connected rundown is known as the chain
at opening. The heap factor of a hash table is characterized to be ∝=n/m it
addresses the normal number of keys per opening. We normally work in the reach
m=θ(n), so ∝ is typically a consistent by and large ∝<1.
4.8.2.Collision Resolution by Chaining:
In anchoring, we place all the components that hash to a similar opening into a
similar connected rundown, As fig shows that Slot j contains a pointer to the top of
the rundown of all put away components that hash to j ; if there are no such
components, space j contains NIL.
Each hash-table slot T [j] contains a linked list of all the keys whose hash value is j.
For example, h (k1) = h (k4) and h (k5) = h (k7) =h (K2). The linked list can be either
singly or doubly linked; we show it as doubly linked because deletion is faster that
way.
Insert 5:
h (5) = 5 mod 9 =5
Create a linked list for T [5] and store value 5 in it.
Similarly, insert 28. h (28) = 28 mod 9 =1. Create a Linked List for T [1] and store
value 28 in it. Now insert 19 h (19) = 19 mod 9 = 1. Insert value 19 in the slot T [1] at
the beginning of the linked-list.
Now insert h 15, h (15) = 15 mod 9 = 6. Create a link list for T [6] and store value 15
in it.
Similarly, insert 20, h (20) = 20 mod 9 = 2 in T [2].
Insert 33, h (33) = 33 mod 9 = 6
In the beginning of the linked list T [6]. Then,
Insert 12, h (12) = 12 mod 9 = 3 in T [3].
Insert 17, h (17) = 17 mod 9 = 8 in T [8].
Insert 10, h (10) = 10 mod 9 = 1 in T [1].
Thus the chained- hash- table after inserting key 10 is
The upside of open tending to is that it dodges Pointer. In this, we figure the grouping
of spaces to be inspected. The additional memory liberated by not sharing pointers
furnishes the hash table with a bigger number of openings for a similar measure of
memory, conceivably yielding less crash and quicker recovery.
The way toward looking at the area in the hash table is called Probing.
In this manner, the hash work becomes
h : U x {0,1,....m-1} → {0,1,....,m-1}.
With open addressing, we require that for every key k, the probe sequence
HASH-INSERT (T, k)
1. i ← 0
2. repeat j ← h (k, i)
3. if T [j] = NIL
4. then T [j] ← k
5. return j
6. else ← i= i +1
7. untili=m
8. error "hash table overflow"
The procedure HASH-SEARCH takes as input a hash table T and a key k, returning j
if it finds that slot j contains key k or NIL if key k is not present in table T.
HASH-SEARCH.T (k)
1. i ← 0
2. repeat j ← h (k, i)
3. if T [j] =j
4. then return j
5. i ← i+1
6. until T [j] = NIL or i=m
7. return NIL
4.10.2.Quadratic Probing:
Assume a record R with key k has the hash address H (k) = h then as opposed to
looking through the area with addresses h, h+1, and h+ 2...We directly search the
areas with addresses
h, h+1, h+4, h+9...h+i2
Where (as in direct testing) h' is a helper hash work c1 and c2 ≠0 are assistant
constants and i=0, 1...m-1. The underlying position is T [h' (k)]; later position
tested is counterbalanced by the sum that depend in a quadratic way on the
test number I.
Model: Consider embeddings the keys 74, 28, 36,58,21,64 into a hash table of
size m =11 utilizing quadratic examining with c1=1 and c2=3. Further
consider that the essential hash work is h' (k) = k mod m.
Insert 28.
Insert 36.
Insert 58.
Insert 21.
Insert 64.
h1 (k) = k mod m or h2 (k) = k mod m'. Here m' is slightly less than m (say m-1 or m-
2).
Example: Consider inserting the keys 76, 26, 37,59,21,65 into a hash table of size m
= 11 using double hashing. Consider that the auxiliary hash functions are h1 (k)=k
mod 11 and h2(k) = k mod 9.
1. Insert 76.
h1(76) = 76 mod 11 = 10
h2(76) = 76 mod 9 = 4
h (76, 0) = (10 + 0 x 4) mod 11
= 10 mod 11 = 10
T [10] is free, so insert key 76 at this place.
2. Insert 26.
h1(26) = 26 mod 11 = 4
h2(26) = 26 mod 9 = 8
h (26, 0) = (4 + 0 x 8) mod 11
= 4 mod 11 = 4
T [4] is free, so insert key 26 at this place.
3. Insert 37.
h1(37) = 37 mod 11 = 4
h2(37) = 37 mod 9 = 1
h (37, 0) = (4 + 0 x 1) mod 11 = 4 mod 11 = 4
T [4] is not free, the next probe sequence is
h (37, 1) = (4 + 1 x 1) mod 11 = 5 mod 11 = 5
T [5] is free, so insert key 37 at this place.
4. Insert 59.
h1(59) = 59 mod 11 = 4
h2(59) = 59 mod 9 = 5
h (59, 0) = (4 + 0 x 5) mod 11 = 4 mod 11 = 4
Since, T [4] is not free, the next probe sequence is
h (59, 1) = (4 + 1 x 5) mod 11 = 9 mod 11 = 9
T [9] is free, so insert key 59 at this place.
5. Insert 21.
h1(21) = 21 mod 11 = 10
h2(21) = 21 mod 9 = 3
h (21, 0) = (10 + 0 x 3) mod 11 = 10 mod 11 =
10
T [10] is not free, the next probe sequence is
h (21, 1) = (10 + 1 x 3) mod 11 = 13 mod 11 = 2
T [2] is free, so insert key 21 at this place.
6. Insert 65.
h1(65) = 65 mod 11 = 10
h2(65) = 65 mod 9 = 2
h (65, 0) = (10 + 0 x 2) mod 11 = 10
mod 11 = 10
T [10] is not free, the next probe sequence is
h (65, 1) = (10 + 1 x 2) mod 11 = 12
mod 11 = 1
T [1] is free, so insert key 65 at this place.
Thus, after insertion of all keys the final hash table is
For Example: if the hash table has size m = 12 and the key is k = 100, at that point h
(k) = 4. Since it requires just a solitary division activity, hashing by division is very
quick.
4.13.2. Duplication Method:
The increase technique for making hash capacities works in two stages. In the first
place, we increase the vital k by a steady An in the reach 0 < A < 1 and concentrate
the fragmentary piece of kA. At that point, we increment this incentive by m and take
the floor of the outcome.
The hash work is:
Where "k A mod 1" means the fractional part of k A, that is, k A -⌊k A⌋.
H (k) = L
Where L is obtained by deleting digits from both ends of k2. We emphasize that the
same position of k2 must be used for all of the keys.
4.13.4.Folding Method:
The key k is partitioned into a number of parts k1, k2.... kn where each part except
possibly the last, has the same number of digits as the required address.
Then the parts are added together, ignoring the last carry.
H (3205) = 32 + 50 = 82 H (7148) = 71 + 84 = 55
H (2345) = 23 + 45 = 68
Unit 4: Chapter 5
Linear Data Structures
5.0 Objective
5.1. What is a Stack?
5.2.Working of Stack
5.3. Standard Stack Operations
5.3.1. PUSH operation
5.3.2. POP operation
5.4. Applications of Stack
5.4.1. Cluster execution of Stack
5.4.2. Implementation of push algorithm in C language
5.4.3. Visiting each element of the stack (Peek operation)
5.4.4. Menu Driven program in C implementing all the stack operations
5.5. Linked list implementation of stack
5.5.2. Deleting a hub from the stack (POP activity)
5.5.3. Display the nodes (Traversing)
5.5.4. Menu Driven program in C implementing all the stack operations
using linked list
5.0 Objective
This chapter would make you understand the following concepts:
What is mean by Stack
Different Operations on stack
Application of stack
Link List Implementation of stack
5.1.What is a Stack?
A Stack is a straight information structure that follows the LIFO (Last-In-First-Out)
guideline. Stack has one end, though the Queue has two finishes (front and back). It
contains just a single pointer top pointer highlighting the highest component of the
stack. At whatever point a component is included the stack, it is added on the highest
point of the stack, and the component can be erased uniquely from the stack. All in
all, a stack can be characterized as a compartment in which inclusion and erasure
should be possible from the one end known as the highest point of the stack.
Some key points related to stack
o It is called as stack since it carries on like a certifiable stack, heaps of books,
and so forth
o A Stack is a theoretical information type with a pre-characterized limit, which
implies that it can store the components of a restricted size.
o It is an information structure that follows some request to embed and erase the
components, and that request can be LIFO or FILO.
5.2.Working of Stack
Stack chips away at the LIFO design. As we can see in the underneath figure there
are five memory blocks in the stack; along these lines, the size of the stack is 5.
Assume we need to store the components in a stack and how about we expect that
stack is vacant. We have taken the pile of size 5 as appeared underneath in which we
are pushing the components individually until the stack turns out to be full.
Since our stack is full as the size of the stack is 5. In the above cases, we can see that
it goes from the top to the base when we were entering the new component in the
stack. The stack gets topped off from the base to the top.
At the point when we play out the erase procedure on the stack, there is just a single
route for passage and exit as the opposite end is shut. It follows the LIFO design,
which implies that the worth entered first will be eliminated last. In the above case,
the worth 5 is entered first, so it will be taken out simply after the cancellation of the
multitude of different components.
To start with, we push all the characters of the string in a stack until we arrive at the
invalid character.
In the wake of pushing all the characters, we begin taking out the character
individually until we arrive at the lower part of the stack.
In the event that we need to perform UNDO activity, and need to accomplish
'stomach muscle' state, at that point we actualize pop activity.
o Recursion: The recursion implies that the capacity is calling itself once more.
To keep up the past states, the compiler makes a framework stack in which all the
past records of the capacity are kept up.
o Memory the board: The stack deals with the memory. The memory is alloted
in the touching memory blocks. The memory is referred to as stack memory as all the
factors are allocated in a capacity call stack memory. The memory size alloted to the
program is known to the compiler. At the point when the capacity is made, every one
of its factors are doled out in the stack memory. At the point when the capacity
finished its execution, all the factors doled out in the stack are delivered.
5.4.1. Cluster execution of Stack
In cluster execution, the stack is shaped by utilizing the exhibit. All the activities with
respect to the stack are performed utilizing exhibits. Lets perceive how every activity
can be actualized on the stack utilizing cluster information structure.
Adding a component onto the stack (push activity)
Adding a component into the highest point of the stack is alluded to as push activity.
Push activity includes following two stages.
1. Increment the variable Top with the goal that it can now refere to the
following memory area.
2. Add component at the situation of increased top. This is alluded to as adding
new component at the highest point of the stack.
Stack is overflown when we attempt to embed a component into a totally filled stack
thusly, our primary capacity should consistently stay away from stack flood
condition.
Algorithm:
begin
if top = n then stack full
top = top + 1
stack (top) : = item;
end
Time Complexity : o(1)
5.4.2. Implementation of push algorithm in C language
void push (intval,int n) //n is size of the stack
{
if (top == n )
printf("\n Overflow");
else
{
top = top +1;
stack[top] = val;
}
}
Algorithm :
begin
if top = 0 then stack empty;
item := stack(top);
top = top - 1;
end;
Time Complexity : o(1)
printf("\n----------------------------------------------\n");
while(choice != 4)
{
printf("Chose one from the below options...\n");
printf("\n1.Push\n2.Pop\n3.Show\n4.Exit");
printf("\n Enter your choice \n");
scanf("%d",&choice);
switch(choice)
{
case 1:
{
push();
break;
}
case 2:
{
pop();
break;
}
case 3:
{
show();
break;
}
case 4:
{
printf("Exiting....");
break;
}
default:
{
printf("Please Enter valid choice ");
}
};
}
}
void push ()
{
intval;
if (top == n )
printf("\n Overflow");
else
{
printf("Enter the value?");
scanf("%d",&val);
top = top +1;
stack[top] = val;
}
}
void pop ()
{
if(top == -1)
printf("Underflow");
else
top = top -1;
}
void show()
{
for (i=top;i>=0;i--)
{
printf("%d\n",stack[i]);
}
if(top == -1)
{
printf("Stack is empty");
}
}
o(1)
C implementation:
void push ()
{
intval;
struct node *ptr =(struct node*)malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("not able to push the element");
}
else
{
printf("Enter the value");
scanf("%d",&val);
if(head==NULL)
{
ptr->val = val;
ptr -> next = NULL;
head=ptr;
}
else
{
ptr->val = val;
ptr->next = head;
head=ptr;
}
printf("Item pushed");
}
}
5.5.2. Deleting a hub from the stack (POP activity)
Erasing a hub from the highest point of stack is alluded to as pop activity. Erasing a
hub from the connected rundown usage of stack is not quite the same as that in the
exhibit execution. To pop a component from the stack, we need to follow the
accompanying advances :
Check for the undercurrent condition: The sub-current condition happens when we
attempt to fly from a generally unfilled stack. The stack will be unfilled if the head
pointer of the rundown focuses to invalid.
Change the head pointer in like manner: In stack, the components are popped
uniquely from one end, thusly, the worth put away in the head pointer should be
erased and the hub should be liberated. The following hub of the head hub presently
turns into the head hub.
Time Complexity: o(n)
C implementation
void pop()
{
int item;
struct node *ptr;
if (head == NULL)
{
printf("Underflow");
}
else
{
item = head->val;
ptr = head;
head = head->next;
free(ptr);
printf("Item popped");
}
}
5.5.4. Menu Driven program in C implementing all the stack operations using
linked list:
#include <stdio.h>
#include <stdlib.h>
void push();
void pop();
void display();
struct node
{
intval;
struct node *next;
};
struct node *head;
void main ()
{
int choice=0;
printf("\n*********Stack operations using linked list*********\n");
printf("\n----------------------------------------------\n");
while(choice != 4)
{
printf("\n\nChose one from the below options...\n");
printf("\n1.Push\n2.Pop\n3.Show\n4.Exit");
printf("\n Enter your choice \n");
scanf("%d",&choice);
switch(choice)
{
case 1:
{
push();
break;
}
case 2:
{
pop();
break;
}
case 3:
{
display();
break;
}
case 4:
{
printf("Exiting....");
break;
}
default:
{
printf("Please Enter valid choice ");
}
};
}
}
void push ()
{
intval;
struct node *ptr = (struct node*)malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("not able to push the element");
}
else
{
printf("Enter the value");
scanf("%d",&val);
if(head==NULL)
{
ptr->val = val;
ptr -> next = NULL;
head=ptr;
}
else
{
ptr->val = val;
ptr->next = head;
head=ptr;
}
printf("Item pushed");
}
}
void pop()
{
int item;
struct node *ptr;
if (head == NULL)
{
printf("Underflow");
}
else
{
item = head->val;
ptr = head;
head = head->next;
free(ptr);
printf("Item popped");
}
}
void display()
{
inti;
struct node *ptr;
ptr=head;
if(ptr == NULL)
{
printf("Stack is empty\n");
}
else
{
printf("Printing Stack elements \n");
while(ptr!=NULL)
{
printf("%d\n",ptr->val);
ptr = ptr->next;
}
}
}
Unit 4 - Chapter 6
Queue
6.0 Objective
6.1.Queue
6.2.Applications of Queue
6.3.Types of Queues
6.4.Operations on Queue
6.5.Implementationof Queue
6.5.1.Consecutive assignment:
6.5.2.Linked list allocation:
6.6.What are the utilization instances of Queue?
6.7.Types of Queue
6.7.1.Linear Queue
6.7.2.Circular Queue
6.7.3.Priority Queue
6.7.4.Deque
6.8.Array representation of Queue
6.9.Queue
6.9.1.Algorithm
6.9.2.C Function
6.9.3.Algorithm
6.9.4.Menu driven program to implement queue using array
6.10.Linked List implementation of Queue
6.11.Operation on Linked Queue
6.11.1.Insert operation
6.11.2.Algorithm
6.11.3.C Function
6.12.Deletion
6.12.1.Algorithm
6.12.2.C Function
6.12.3.Menu-Driven Program implementing all the operations on Linked
Queue
6.0.Objective
This chapter would make you understand the following concepts:
Queue
Definition
Operations, Implementation of simple
queue (Array and Linked list) and applications of queue-BFS
Types of queues: Circular, Double ended, Priority,
6.1.Queue
1. A Queue can be characterized as an arranged rundown which empowers embed
tasks to be performed toward one side called REAR and erase activities to be
performed at another end called FRONT.
2. Queue is alluded to be as First In First Out rundown.
3. For instance, individuals sitting tight in line for a rail ticket structure a Queue
6.2.Applications of Queue
Because of the way that line performs activities on first in first out premise which is
very reasonable for the requesting of activities. There are different uses of queues
examined as beneath.
1. Queues are generally utilized as hanging tight records for a solitary shared
asset like printer, plate, CPU.
2. Queues are utilized in offbeat exchange of information (where information
isn't being moved at similar rate between two cycles) for eg. pipes, document IO,
attachments.
3. Queues are utilized as cradles in the greater part of the applications like MP3
media player, CD player, and so on
4. Queue are utilized to keep up the play list in media major parts to add and
eliminate the tunes from the play-list.
5. Queues are utilized in working frameworks for dealing with interferes.
Complexity
6.3.Types of Queues
Prior to understanding the sorts of queues, we first glance at 'what is Queue'.
What is the Queue?
A queue in the information construction can be viewed as like the queue in reality. A
queue is an information structure in which whatever starts things out will go out first.
It follows the FIFO (First-In-First-Out) arrangement. In Queue, the inclusion is done
from one end known as the backside or the tail of the queue, though the erasure is
done from another end known as the front end or the top of the line. At the end of the
day, it very well may be characterized as a rundown or an assortment with an
imperative that the addition can be performed toward one side called as the backside
or tail of the queue and cancellation is performed on another end called as the front
end or the top of the queue.
6.4.Operations on Queue
o Enqueue: The enqueue activity is utilized to embed the component at the
backside of the queue. It brings void back.
o Dequeue: The dequeue activity plays out the erasure from the front-finish of
the queue. It additionally restores the component which has been eliminated from the
front-end. It restores a number worth. The dequeue activity can likewise be intended
to void.
o Peek: This is the third activity that profits the component, which is pointed by
the front pointer in the queue yet doesn't erase it.
o Queue flood (isfull): When the Queue is totally full, at that point it shows the
flood condition.
o Queue undercurrent (isempty): When the Queue is unfilled, i.e., no
components are in the Queue then it tosses the sub-current condition.
A Queue can be addressed as a compartment opened from both the sides in which the
component can be enqueued from one side and dequeued from another side as
demonstrated in the beneath figure:
6.5.Implementationof Queue
There are two different ways of executing the Queue:
6.5.1.Consecutive assignment: The successive distribution in a Queue can be
executed utilizing a cluster.
6.5.2.Linked list allocation: The linked list portion in a Queue can be actualized
utilizing a linked list.
6.6.What are the utilization instances of Queue?
Here, we will see this present reality situations where we can utilize the Queue
information structure. The Queue information structure is primarily utilized where
there is a shared asset that needs to serve the different asks for however can serve a
solitary solicitation at a time. In such cases, we need to utilize the Queue information
structure for lining up the solicitations. The solicitation that shows up first in the line
will be served first. Coming up next are this present reality situations in which the
Queue idea is utilized:
o Suppose we have a printer divided among different machines in an
organization, and any machine or PC in an organization can send a print solicitation
to the printer. In any case, the printer can serve a solitary solicitation at a time, i.e., a
printer can print a solitary archive at a time. At the point when any print demand
comes from the organization, and if the printer is occupied, the printer's program will
put the print demand in a line.
o If the solicitations are accessible in the Queue, the printer takes a solicitation
from the front of the Queue, and serves it.
o The processor in a PC is likewise utilized as a shared asset. There are
numerous solicitations that the processor should execute, however the processor can
serve a solitary ask for or execute a solitary interaction at a time. Consequently, the
cycles are kept in a Queue for execution.
6.7.Types of Queue
There are four kinds of Queues:
6.7.1.Linear Queue
In Linear Queue, an inclusion happens from one end while the erasure happens from
another end. The end at which the addition happens is known as the backside, and the
end at which the erasure happens is known as front end. It carefully keeps the FIFO
rule. The straight Queue can be addressed, as demonstrated in the beneath figure:
The above figure shows that the components are embedded from the backside, and on
the off chance that we embed more components in a Queue, at that point the back
worth gets increased on each addition. In the event that we need to show the
cancellation, at that point it tends to be addressed as:
In the above figure, we can see that the front pointer focuses to the following
component, and the component which was recently pointed by the front pointer was
erased.
The significant disadvantage of utilizing a straight Queue is that inclusion is done
distinctly from the backside. In the event that the initial three components are erased
from the Queue, we can't embed more components despite the fact that the space is
accessible in a Linear Queue. For this
situation, the straight Queue shows the flood condition as the back is highlighting the
last component of the Queue.
6.7.2.Circular Queue
In Circular Queue, all the hubs are addressed as round. It is like the direct Queue
aside from that the last component of the line is associated with the principal
component. It is otherwise called Ring Buffer as all the finishes are associated with
another end. The round line can be addressed as:
6.9.Queue
The above figure shows the queue of characters shaping the English word "Hi".
Since, No cancellation is acted in the line till now, thusly the estimation of front
remaining parts - 1 . Be that as it may, the estimation of back increments by one each
time an addition is acted in the queue. Subsequent to embeddings a component into
the queue appeared in the above figure, the queue will look something like after. The
estimation of back will become 5 while the estimation of front remaining parts same.
6.9.1.Algorithm
Step 1: IF REAR = MAX - 1
Write OVERFLOW
Go to step
[END OF IF]
Step 2: IF FRONT = -1 and REAR = -1
SET FRONT = REAR = 0
ELSE
SET REAR = REAR + 1
[END OF IF]
Step 3: Set QUEUE[REAR] = NUM
Step 4: EXIT
6.9.2.C Function
void insert (int queue[], int max, int front, int rear, int item)
{
if (rear + 1 == max)
{
printf("overflow");
}
else
{
if(front == -1 && rear == -1)
{
front = 0;
rear = 0;
}
else
{
rear = rear + 1;
}
queue[rear]=item;
}
}
Otherwise, keep increasing the value of front and return the item stored at the
front end of the queue at each time.
6.9.3.Algorithm
Step 1: IF FRONT = -1 or FRONT > REAR
Write UNDERFLOW
ELSE
SET VAL = QUEUE[FRONT]
SET FRONT = FRONT + 1
[END OF IF]
Step 2: EXIT
C Function
int delete (int queue[], int max, int front, int rear)
{
int y;
if (front == -1 || front > rear)
{
printf("underflow");
}
else
{
y = queue[front];
if(front == rear)
{
front = rear = -1;
else
front = front + 1;
}
return y;
}
}
6.9.4.Menu driven program to implement queue using array
#include<stdio.h>
#include<stdlib.h>
#define maxsize 5
void insert();
void delete();
void display();
int front = -1, rear = -1;
int queue[maxsize];
void main ()
{
int choice;
while(choice != 4)
{
printf("\n*************************Main
Menu*****************************\n");
printf("\n===================================================
==============\n");
printf("\n1.insert an element\n2.Delete an element\n3.Display the
queue\n4.Exit\n");
printf("\nEnter your choice ?");
scanf("%d",&choice);
switch(choice)
{
case 1:
insert();
break;
case 2:
delete();
break;
case 3:
display();
break;
case 4:
exit(0);
break;
default:
printf("\nEnter valid choice??\n");
}
}
}
void insert()
{
int item;
printf("\nEnter the element\n");
scanf("\n%d",&item);
if(rear == maxsize-1)
{
printf("\nOVERFLOW\n");
return;
}
if(front == -1 && rear == -1)
{
front = 0;
rear = 0;
}
else
{
rear = rear+1;
}
queue[rear] = item;
printf("\nValue inserted ");
}
void delete()
{
int item;
if (front == -1 || front > rear)
{
printf("\nUNDERFLOW\n");
return;
}
else
{
item = queue[front];
if(front == rear)
{
front = -1;
rear = -1 ;
}
else
{
front = front + 1;
}
printf("\nvalue deleted ");
}
void display()
{
inti;
if(rear == -1)
{
printf("\nEmpty queue\n");
}
else
{ printf("\nprinting values .....\n");
for(i=front;i<=rear;i++)
{
printf("\n%d\n",queue[i]);
}
}
}
Output:
*************Main Menu**************
==============================================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
Value inserted
*************Main Menu**************
==============================================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
Value inserted
*************Main Menu**************
===================================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
value deleted
*************Main Menu**************
==============================================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
90
*************Main Menu**************
==============================================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
6.11.3.C Function
void insert(struct node *ptr, int item; )
{
ptr = (struct node *) malloc (sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW\n");
return;
}
else
{
ptr -> data = item;
if(front == NULL)
{
front = ptr;
rear = ptr;
front -> next = NULL;
rear -> next = NULL;
}
else
{
rear -> next = ptr;
rear = ptr;
rear->next = NULL;
}
}
}
6.12.Deletion
Cancellation activity eliminates the component that is first embedded among all the
queue components. Right off the bat, we need to check either the rundown is unfilled
or not. The condition front == NULL turns out to be valid if the rundown is unfilled,
for this situation, we essentially compose undercurrent on the comfort and make exit.
Else, we will erase the component that is pointed by the pointer front. For this reason,
duplicate the hub pointed by the front pointer into the pointer ptr. Presently, move the
front pointer, highlight its next hub and free the hub pointed by the hub ptr. This is
finished by utilizing the accompanying assertions.
ptr = front;
front = front -> next;
free(ptr);
The algorithm and C function is given as follows.
6.12.1.Algorithm
Step 1: IF FRONT = NULL
Write " Underflow "
Go to Step 5
[END OF IF]
Step 2: SET PTR = FRONT
Step 3: SET FRONT = FRONT -> NEXT
Step 4: FREE PTR
Step 5: END
6.12.2.C Function
void delete (struct node *ptr)
{
if(front == NULL)
{
printf("\nUNDERFLOW\n");
return;
}
else
{
ptr = front;
front = front -> next;
free(ptr);
}
}
6.12.3.Menu-Driven Program implementing all the operations on Linked
Queue
#include<stdio.h>
#include<stdlib.h>
struct node
{
int data;
struct node *next;
};
struct node *front;
struct node *rear;
void insert();
void delete();
void display();
void main ()
{
int choice;
while(choice != 4)
{
printf("\n*************************Main
Menu*****************************\n");
printf("\n===================================================
==============\n");
printf("\n1.insert an element\n2.Delete an element\n3.Display the
queue\n4.Exit\n");
printf("\nEnter your choice ?");
scanf("%d",& choice);
switch(choice)
{
case 1:
insert();
break;
case 2:
delete();
break;
case 3:
display();
break;
case 4:
exit(0);
break;
default:
printf("\nEnter valid choice??\n");
}
}
}
void insert()
{
struct node *ptr;
int item;
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
Enter value?
123
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
Enter value?
90
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
123
90
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
90
***********Main Menu**********
==============================
1.insert an element
2.Delete an element
3.Display the queue
4.Exit
Types of Queue
7.0.Objective
7.1.Circular Queue
7.2.What is a Circular Queue?
7.2.1.Procedure on Circular Queue
7.3.Uses of Circular Queue
7.4.Enqueue operation
7.5.Algorithm to insert an element in a circular queue
7.6.Dequeue Operation
7.6.1.Algorithm to delete an element from the circular queue
7.0. Objective
This chapter would make you understand the following concepts:
Understand the concept of Circular Queue
Operation of Circular Queue
Application of Circular Queue
Implementation of Circular Queue
7.1.Circular Queue
There was one limit in the exhibit usage of Queue. On the off chance that the back
spans to the end position of the Queue, at that point there may be plausibility that
some empty spaces are left to start with which can't be used. Thus, to defeat such
restrictions, the idea of the round line was presented.
As we can find in the above picture, the back is at the last situation of the Queue and
front is pointing some place as opposed to the 0th position. In the above exhibit, there
are just two components and other three positions are unfilled. The back is at the last
situation of the Queue; in the event that we attempt to embed the component, at that
point it will show that there are no unfilled spaces in the Queue. There is one answer
for maintain a strategic distance from such wastage of memory space by moving both
the components at the left and change the front and backside as needs be. It's
anything but a for all intents and purposes great methodology since moving all the
components will burn-through loads of time. The effective way to deal with stay
away from the wastage of the memory is to utilize circular queue data structure.
7.2.What is a Circular Queue?
A circular queue is like a linear queueas it is likewise founded on the FIFO (First In
First Out) rule aside from that the last position is associated with the principal
position in a round line that shapes a circle. It is otherwise called a Ring Buffer.
7.2.1.Procedure on Circular Queue
Coming up next are the activities that can be performed on a circular queue:
Front: It is utilized to get the front component from the Queue.
Back: It is utilized to get the back component from the Queue.
enQueue(value): This capacity is utilized to embed the new incentive in the Queue.
The new component is constantly embedded from the backside.
deQueue(): This capacity erases a component from the Queue. The cancellation in a
Queue9-
consistently happens from the front end.
7.4.Enqueue operation
The steps of enqueue operation are given below:
Step 4: EXIT
7.6.Dequeue Operation
The means of dequeue activity are given underneath:
To start with, we check if the Queue is vacant. In the event that the queue is unfilled,
we can't play out the dequeue activity.
At the point when the component is erased, the estimation of front gets decremented
by 1.
On the off chance that there is just a single component left which is to be erased, at
that point the front and back are reset to - 1.
Step 1: IF FRONT = -1
Write " UNDERFLOW "
Goto Step 4
[END of IF]
Step 2: SET VAL = QUEUE[FRONT]
Step 3: IF FRONT = REAR
SET FRONT = REAR = -1
ELSE
IF FRONT = MAX -1
SET FRONT = 0
ELSE
SET FRONT = FRONT + 1
[END of IF]
[END OF IF]
Step 4: EXIT
Let's understand the enqueue and dequeue operation through the diagrammatic
representation.
7.7.Implementation of circular queue using Array
#include <stdio.h>
# define max 6
int queue[max]; // array declaration
int front=-1;
int rear=-1;
// function to insert an element in a circular queue
void enqueue(int element)
{
if(front==-1 && rear==-1) // condition to check queue is empty
{
front=0;
rear=0;
queue[rear]=element;
}
else if((rear+1)%max==front) // condition to check queue is full
{
printf("Queue is overflow..");
}
else
{
rear=(rear+1)%max; // rear is incremented
queue[rear]=element; // assigning a value to the queue at the rear position.
}
}
switch(choice)
{
case 1:
}}
return 0;
}
Output:
7.8.Implementation of circular queue using linked list
As we realize that connected rundown is a direct information structure that stores two
sections, i.e., information part and the location part where address part contains the
location of the following hub. Here, connected rundown is utilized to execute the
roundabout line; in this way, the connected rundown follows the properties of the
Queue. At the point when we are actualizing the roundabout line utilizing connected
rundown then both the enqueue and dequeue tasks take O(1) time.
#include <stdio.h>
// Declaration of struct type node
struct node
{
int data;
struct node *next;
};
struct node *front=-1;
struct node *rear=-1;
// function to insert the element in the Queue
voidenqueue(int x)
{
struct node *newnode; // declaration of pointer of struct node type.
newnode=(struct node *)malloc(sizeof(struct node)); // allocating the memory to the
newnode
newnode->data=x;
newnode->next=0;
if(rear==-1) // checking whether the Queue is empty or not.
{
front=rear=newnode;
rear->next=front;
}
else
{
rear->next=newnode;
rear=newnode;
rear->next=front;
}
}
else
{
while(temp->next!=front)
{
printf("%d,", temp->data);
temp=temp->next;
}
printf("%d", temp->data);
}
}
void main()
{
enqueue(34);
enqueue(10);
enqueue(23);
display();
dequeue();
peek();
}
Output:
7.9.Deque
The dequeue represents Double Ended Queue. In the queue, the inclusion happens
from one end while the erasure happens from another end. The end at which the
addition happens is known as the backside while theend at which the erasure happens
is known as front end.
Deque is a direct information structure in which the inclusion and cancellation tasks
are performed from the two finishes. We can say that deque is a summed up form of
the line.
How about we take a gander at certain properties of deque.
Deque can be utilized both as stack and line as it permits the inclusion and
cancellation procedure on the two finishes.
In deque, the inclusion and cancellation activity can be performed from one side. The
stack adheres to the LIFO rule in which both the addition and erasure can be
performed distinctly from one end; in this way, we reason that deque can be
considered as a stack.
In deque, the addition can be performed toward one side, and the erasure should be
possible on another end. The queue adheres to the FIFO rule in which the component
is embedded toward one side and erased from another end. Hence, we reason that the
deque can likewise be considered as the queue.
There are two types of Queues, Input-restricted queue, and output-restricted queue.
Information confined queue: The info limited queue implies that a few limitations are
applied to the inclusion. In info confined queue, the addition is applied to one end
while the erasure is applied from both the closures.
Yield confined queue: The yield limited line implies that a few limitations are applied
to the erasure activity. In a yield limited queue, the cancellation can be applied
uniquely from one end, while the inclusion is conceivable from the two finishes.
7.10.Operations on Deque
The following are the operations applied on deque:
Insert at front
Delete from end
insert at rear
delete from rear
Other than inclusion and cancellation, we can likewise perform look activity in
deque. Through look activity, we can get the front and the back component of the
dequeue.
We can perform two additional procedure on dequeue:
isFull(): This capacity restores a genuine worth if the stack is full; else, it restores a
bogus worth.
isEmpty(): This capacity restores a genuine worth if the stack is vacant; else it
restores a bogus worth.
7.10.1.Memory Representation
The deque can be executed utilizing two information structures, i.e., round exhibit,
and doubly connected rundown. To actualize the deque utilizing round exhibit, we
initially should realize what is roundabout cluster.
7.10.3.Applications of Deque
The deque can be utilized as a stack and line; subsequently, it can perform
both re-try and fix activities.
3. Assume we need to embed the following component from the back. To embed
the component from the backside, we first need to augment the back, i.e.,
rear=rear+1. Presently, the back is highlighting the subsequent component,
and the front is highlighting the main component.
4. Assume we are again embeddings the component from the backside. To
embed the component, we will first addition the back, and now back focuses
to the third component.
5. In the event that we need to embed the component from the front end, and
addition a component from the front, we need to decrement the estimation of
front by 1. In the event that we decrement the front by 1, at that point the front
focuses to - 1 area, which isn't any substantial area in an exhibit. Thus, we set
the front as (n - 1), which is equivalent to 4 as n is 5. When the front is set, we
will embed the incentive as demonstrated in the beneath figure:
7.12.Dequeue Operation
1. On the off chance that the front is highlighting the last component of the
exhibit, and we need to play out the erase activity from the front. To erase any
component from the front, we need to set front=front+1. At present, the
estimation of the front is equivalent to 4, and in the event that we increase the
estimation of front, it becomes 5 which is definitely not a substantial list.
Thusly, we presume that in the event that front focuses to the last component,
at that point front is set to 0 if there should be an occurrence of erase activity.
2. If we want to delete the element from rear end then we need to decrement the
rear value by 1, i.e., rear=rear-1 as shown in the below figure:
3. In the event that the back is highlighting the principal component, and we
need to erase the component from the backside then we need to set rear=n-1
where n is the size of the exhibit as demonstrated in the beneath figure:
Let's create a program of deque.
The following are the six functions that we have used in the below program:
#define size 5
#include <stdio.h>
int deque[size];
int f=-1, r=-1;
// enqueue_front function will insert the value from the front
void enqueue_front(int x)
{
if((f==0 && r==size-1) || (f==r+1))
{
printf("deque is full");
}
else if((f==-1) && (r==-1))
{
f=r=0;
deque[f]=x;
}
else if(f==0)
{
f=size-1;
deque[f]=x;
}
else
{
f=f-1;
deque[f]=x;
}
}
}
// display function prints all the value of deque.
void display()
{
int i=f;
printf("\n Elements in a deque : ");
while(i!=r)
{
printf("%d ",deque[i]);
i=(i+1)%size;
}
printf("%d",deque[r]);
}
}
else if(f==(size-1))
{
printf("\nThe deleted element is %d", deque[f]);
f=0;
}
else
{
printf("\nThe deleted element is %d", deque[f]);
f=f+1;
}
}
int main()
{
// inserting a value from the front.
enqueue_front(2);
// inserting a value from the front.
enqueue_front(1);
// inserting a value from the rear.
enqueue_rear(3);
// inserting a value from the rear.
enqueue_rear(5);
// inserting a value from the rear.
enqueue_rear(8);
// Calling the display function to retrieve the values of deque
display();
// Retrieve the front value
getfront();
// Retrieve the rear value.
getrear();
// deleting a value from the front
dequeue_front();
//deleting a value from the rear
dequeue_rear();
// Calling the display function to retrieve the values of deque
display();
return 0;
}
Output:
o Every component in a need line has some need related with it.
o An component with the higher need will be erased before the cancellation of
the lesser need.
o If two components in a need queue have a similar need, they will be organized
utilizing the FIFO rule.
1, 3, 4, 8, 14, 22
All the qualities are orchestrated in climbing request. Presently, we will see how the
need line will take care of playing out the accompanying activities:
poll(): This capacity will eliminate the most elevated need component from the need
line. In the above need line, the '1' component has the most elevated need, so it will
be eliminated from the need line.
add(2): This capacity will embed '2' component in a need line. As 2 is the littlest
component among all the numbers so it will acquire the most elevated need.
poll() It will eliminate '2' component from the need line as it has the most elevated
need line.
add(5): It will embed 5 component after 4 as 5 is bigger than 4 and lesser than 8, so it
will acquire the third most noteworthy need in a need line.
8.0.Objective
This chapter would make you understand the following concepts:
To understand the concept of Linked List
To understand Types of Linked List
To Singly Linked list
To Doubly Linked list
8.1.What is Linked List?
A linked list is also a collection of elements, but the elements are not stored in a
consecutive location.Suppose a programmer made a request for storing the integer
value then size of 4-byte memory block is assigned to the integer value. The
programmer made another request for storing 3 more integer elements; then, three
different memory blocks are assigned to these three elements but the memory blocks
are available in a random location. So, how are the elements connected?.
These elements are linked to each other by providing one additional information
along with an element, i.e., the address of the next element. The variable that stores
the address of the next element is known as a pointer. Therefore, we conclude that the
linked list contains two parts, i.e., the first one is the data element, and the other is the
pointer. The pointer variable will occupy 4 bytes which is pointing to the next
element.
A linked list can also be defined as the collection of the nodes in which one node is
connected to another node, and node consists of two parts, i.e., one is the data part
and the second one is the address part, as shown in the below figure:
In the above figure, we can observe that each node contains the data and the address
of the next node. The last node of the linked list contains the NULL value in the
address part.
8.2.How can we declare the Linked list?
The need line can be actualized in four different ways that incorporate clusters,
connected rundown, stack information construction and twofold pursuit tree. The
load information structure is the most productive method of executing the need line,
so we will actualize the need line utilizing a store information structure in this
subject. Presently, first we comprehend the motivation behind why pile is the most
productive route among the wide range of various information structures.
The structure of a linked list can be defined as:
struct node
{
int data;
struct node *next;
}
In the above declaration, we have defined a structure named as a node consisting of
two variables: an integer variable (data), and the other one is the pointer (next), which
contains the address of the next node.
We can see in the above figure that there are three unique hubs having address 100,
200 and 300 individually. The principal hub contains the location of the following
hub, i.e., 200, the subsequent hub contains the location of the last hub, i.e., 300, and
the third hub contains the NULL incentive in its location part as it doesn't highlight
any hub. The pointer that holds the location of the underlying hub is known as a head
pointer.
As we can see in the above figure, the hub in a doubly-connected rundown has two
location parts; one section stores the location of the following while the other piece of
the hub stores the past hub's location. The underlying hub in the doubly connected
rundown has the NULL incentive in the location part, which gives the location of the
past hub.
Representation of the node in a doubly linked list
struct node
{
int data;
struct node *next;
struct node *prev;
}
In the above portrayal, we have characterized a client characterized structure named a
hub with three individuals, one is information of number sort, and the other two are
the pointers, i.e., next and prev of the hub type. The following pointer variable holds
the location of the following hub, and the prev pointer holds the location of the past
hub. The sort of both the pointers, i.e., next and prev is struct hub as both the pointers
are putting away the location of the hub of the struct hub type.
8.5.3.Circular linked list
A round connected rundown is a variety of an independently connected rundown. The
lone contrast between the separately connected rundown and a round connected
rundown is that the last hub doesn't highlight any hub in an independently connected
rundown, so its connection part contains a NULL worth. Then again, the roundabout
connected rundown is a rundown where the last hub interfaces with the principal hub,
so the connection a piece of the last hub holds the main hub's location. The round
connected rundown has no beginning and finishing hub. We can navigate toward any
path, i.e., either in reverse or forward. The diagrammatic portrayal of the round
connected rundown is appeared underneath:
struct node
{
int data;
struct node *next;
}
A circular linked list is a sequence of elements in which each node has a link to the
next node, and the last node is having a link to the first node. The representation of
the circular linked list will be similar to the singly linked list, as shown below:
8.5.4.Doubly Circular linked list
The doubly circular linked list has the features of both the circular linked list and
doubly linked list.
The above figure shows the portrayal of the doubly round connected rundown
wherein the last hub is appended to the principal hub and consequently makes a
circle. It is a doubly connected rundown likewise in light of the fact that every hub
holds the location of the past hub too. The primary distinction between the doubly
connected rundown and doubly roundabout connected rundown is that the doubly
roundabout connected rundown doesn't contain the NULL incentive in the past field
of the hub. As the doubly roundabout connected contains three sections, i.e., two
location parts and one information part so its portrayal is like the doubly connected
rundown.
struct node
{
int data;
struct node *next;
struct node *prev;
}
8.6.Linked List
Linked List can be defined as collection of objects called nodes that are randomly
stored in the memory.
A node contains two fields i.e. data stored at that particular address and the pointer
which contains the address of the next node in the memory.
The last node of the list contains pointer to the null.
In the above figure, the bolt addresses the connections. The information a piece of
each hub contains the imprints acquired by the understudy in the diverse subject. The
last hub in the rundown is recognized by the invalid pointer which is available in the
location part of the last hub. We can have as numerous components we need, in the
information part of the rundown.
Complexity
Insertion
The insertion into a singly linked list can be performed at different positions. Based
on the position of the new node being inserted, the insertion is categorized into the
following categories.
SN Operation Description
1 Insertion at It involves inserting any element at the front of the list. We just need
beginning to a few link adjustments to make the new node as the head of the
list.
2 Insertion at end It involves insertion at the last of the linked list. The new node can
of the list be inserted as the only node in the list or it can be inserted as the last
one. Different logics are implemented in each scenario.
3 Insertion after It involves insertion after the specified node of the linked list. We
specified node need to skip the desired number of nodes in order to reach the node
after which the new node will be inserted. .
SN Operation Description
1 Deletion at It involves deletion of a node from the beginning of the list. This
beginning is the simplest operation among all. It just need a few
adjustments in the node pointers.
2 Deletion at the It involves deleting the last node of the list. The list can either be
end of the list empty or full. Different logic is implemented for the different
scenarios.
3 Deletion after It involves deleting the node after the specified node in the list.
specified node we need to skip the desired number of nodes to reach the node
after which the node will be deleted. This requires traversing
through the list.
4 Traversing In traversing, we simply visit each node of the list at least once in
order to perform some specific operation on it, for example,
printing data part of each node present in the list.
5 Searching In searching, we match each element of the list with the given
element. If the element is found on any of the location then
location of that element is returned otherwise null is returned. .
voidbeginsert ();
voidlastinsert ();
voidrandominsert();
voidbegin_delete();
voidlast_delete();
voidrandom_delete();
void display();
void search();
void main ()
{
int choice =0;
while(choice != 9)
{
printf("\n\n*********Main Menu*********\n");
printf("\nChoose one option from the following list ...\n");
printf("\n===============================================\n");
printf("\n1.Insert in begining\n2.Insert at last\n3.Insert at any random
location\n4.Delete from Beginning\n
5.Delete from last\n6.Delete node after specified location\n7.Search for an
element\n8.Show\n9.Exit\n");
printf("\nEnter your choice?\n");
scanf("\n%d",&choice);
switch(choice)
{
case 1:
beginsert();
break;
case 2:
lastinsert();
break;
case 3:
randominsert();
break;
case 4:
begin_delete();
break;
case 5:
last_delete();
break;
case 6:
random_delete();
break;
case 7:
search();
break;
case 8:
display();
break;
case 9:
exit(0);
break;
default:
printf("Please enter valid choice..");
}
}
}
voidbeginsert()
{
struct node *ptr;
int item;
ptr = (struct node *) malloc(sizeof(struct node *));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter value\n");
scanf("%d",&item);
ptr->data = item;
ptr->next = head;
head = ptr;
printf("\nNode inserted");
}
}
voidlastinsert()
{
struct node *ptr,*temp;
int item;
ptr = (struct node*)malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter value?\n");
scanf("%d",&item);
ptr->data = item;
if(head == NULL)
{
ptr -> next = NULL;
head = ptr;
printf("\nNode inserted");
}
else
{
temp = head;
while (temp -> next != NULL)
{
temp = temp -> next;
}
temp->next = ptr;
ptr->next = NULL;
printf("\nNode inserted");
}
}
}
voidrandominsert()
{
inti,loc,item;
struct node *ptr, *temp;
ptr = (struct node *) malloc (sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter element value");
scanf("%d",&item);
ptr->data = item;
printf("\nEnter the location after which you want to insert ");
scanf("\n%d",&loc);
temp=head;
for(i=0;i<loc;i++)
{
temp = temp->next;
if(temp == NULL)
{
printf("\ncan't insert\n");
return;
}
}
ptr ->next = temp ->next;
temp ->next = ptr;
printf("\nNode inserted");
}
}
voidbegin_delete()
{
struct node *ptr;
if(head == NULL)
{
printf("\nList is empty\n");
}
else
{
ptr = head;
head = ptr->next;
free(ptr);
printf("\nNode deleted from the begining ...\n");
}
}
voidlast_delete()
{
struct node *ptr,*ptr1;
if(head == NULL)
{
printf("\nlist is empty");
}
else if(head -> next == NULL)
{
head = NULL;
free(head);
printf("\nOnly node of the list deleted ...\n");
}
else
{
ptr = head;
while(ptr->next != NULL)
{
ptr1 = ptr;
ptr = ptr ->next;
}
ptr1->next = NULL;
free(ptr);
printf("\nDeleted Node from the last ...\n");
}
}
voidrandom_delete()
{
struct node *ptr,*ptr1;
intloc,i;
printf("\n Enter the location of the node after which you want to perform deletion
\n");
scanf("%d",&loc);
ptr=head;
for(i=0;i<loc;i++)
{
ptr1 = ptr;
ptr = ptr->next;
if(ptr == NULL)
{
printf("\nCan't delete");
return;
}
}
ptr1 ->next = ptr ->next;
free(ptr);
printf("\nDeleted node %d ",loc+1);
}
void search()
{
struct node *ptr;
intitem,i=0,flag;
ptr = head;
if(ptr == NULL)
{
printf("\nEmpty List\n");
}
else
{
printf("\nEnter item which you want to search?\n");
scanf("%d",&item);
while (ptr!=NULL)
{
if(ptr->data == item)
{
printf("item found at location %d ",i+1);
flag=0;
}
else
{
flag=1;
}
i++;
ptr = ptr -> next;
}
if(flag==1)
{
printf("Item not found\n");
}
}
void display()
{
struct node *ptr;
ptr = head;
if(ptr == NULL)
{
printf("Nothing to print");
}
else
{
printf("\nprinting values . . . . .\n");
while (ptr!=NULL)
{
printf("\n%d",ptr->data);
ptr = ptr -> next;
}
}
}
Output:
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
1
Enter value
1
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
2
Enter value?
2
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
3
Enter element value1
Enter the location after which you want to insert 1
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
8
printing values . . . . .
1
2
1
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
2
Enter value?
123
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
1
Enter value
1234
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
*********Main Menu*********
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
*********Main Menu*********
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter the location of the node after which you want to perform deletion
1
Deleted node 2
*********Main Menu*********
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
printing values . . . . .
1
1
*********Main Menu*********
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
*********Main Menu*********
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete node after specified location
7.Search for an element
8.Show
9.Exit
Enter your choice?
9
A doubly linked list containing three nodes having numbers from 1 to 3 in their data
part, is shown in the following image.
In C, structure of a node in doubly linked list can be given as :
struct node
{
struct node *prev;
int data;
struct node *next;
}
The prev part of the first node and the next part of the last node will always contain
null indicating end in each direction.
Doubly connected rundown is a mind boggling kind of connected rundown wherein a
hub contains a pointer to the past just as the following hub in the arrangement.
Subsequently, in a doubly connected rundown, a hub comprises of three sections: hub
information, pointer to the following hub in arrangement (next pointer) , pointer to
the past hub (past pointer). An example hub in a doubly connected rundown is
appeared in the figure.
SN Operation Description
1 Insertion at beginning Adding the node into the linked list at beginning.
2 Insertion at end Adding the node into the linked list to the end.
3 Insertion after Adding the node into the linked list after the specified node.
specified node
5 Deletion at the end Removing the node from end of the list.
6 Deletion of the node Removing the node which is present just after the node
having given data containing the given data.
7 Searching Comparing each node data with the item to be searched and
return the location of the item in the list if the item found
else return null.
if(head==NULL)
{
ptr->next = NULL;
ptr->prev=NULL;
ptr->data=item;
head=ptr;
}
else
{
ptr->data=item;
ptr->prev=NULL;
ptr->next = head;
head->prev=ptr;
head=ptr;
}
printf("\nNode inserted\n");
}
}
voidinsertion_last()
{
struct node *ptr,*temp;
int item;
ptr = (struct node *) malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter value");
scanf("%d",&item);
ptr->data=item;
if(head == NULL)
{
ptr->next = NULL;
ptr->prev = NULL;
head = ptr;
}
else
{
temp = head;
while(temp->next!=NULL)
{
temp = temp->next;
}
temp->next = ptr;
ptr ->prev=temp;
ptr->next = NULL;
}
}
printf("\nnode inserted\n");
}
voidinsertion_specified()
{
struct node *ptr,*temp;
intitem,loc,i;
ptr = (struct node *)malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("\n OVERFLOW");
}
else
{
temp=head;
printf("Enter the location");
scanf("%d",&loc);
for(i=0;i<loc;i++)
{
temp = temp->next;
if(temp == NULL)
{
printf("\n There are less than %d elements", loc);
return;
}
}
printf("Enter value");
scanf("%d",&item);
ptr->data = item;
ptr->next = temp->next;
ptr ->prev = temp;
temp->next = ptr;
temp->next->prev=ptr;
printf("\nnode inserted\n");
}
}
voiddeletion_beginning()
{
struct node *ptr;
if(head == NULL)
{
printf("\n UNDERFLOW");
}
else if(head->next == NULL)
{
head = NULL;
free(head);
printf("\nnode deleted\n");
}
else
{
ptr = head;
head = head -> next;
head ->prev = NULL;
free(ptr);
printf("\nnode deleted\n");
}
}
voiddeletion_last()
{
struct node *ptr;
if(head == NULL)
{
printf("\n UNDERFLOW");
}
else if(head->next == NULL)
{
head = NULL;
free(head);
printf("\nnode deleted\n");
}
else
{
ptr = head;
if(ptr->next != NULL)
{
ptr = ptr -> next;
}
ptr ->prev -> next = NULL;
free(ptr);
printf("\nnode deleted\n");
}
}
voiddeletion_specified()
{
struct node *ptr, *temp;
intval;
printf("\n Enter the data after which the node is to be deleted : ");
scanf("%d", &val);
ptr = head;
while(ptr -> data != val)
ptr = ptr -> next;
if(ptr -> next == NULL)
{
printf("\nCan't delete\n");
}
else if(ptr -> next -> next == NULL)
{
ptr ->next = NULL;
}
else
{
temp = ptr -> next;
ptr -> next = temp -> next;
temp -> next ->prev = ptr;
free(temp);
printf("\nnode deleted\n");
}
}
void display()
{
struct node *ptr;
printf("\n printing values...\n");
ptr = head;
while(ptr != NULL)
{
printf("%d\n",ptr->data);
ptr=ptr->next;
}
}
void search()
{
struct node *ptr;
intitem,i=0,flag;
ptr = head;
if(ptr == NULL)
{
printf("\nEmpty List\n");
}
else
{
printf("\nEnter item which you want to search?\n");
scanf("%d",&item);
while (ptr!=NULL)
{
if(ptr->data == item)
{
printf("\nitem found at location %d ",i+1);
flag=0;
break;
}
else
{
flag=1;
}
i++;
ptr = ptr -> next;
}
if(flag==1)
{
printf("\nItem not found\n");
}
}
}
Output
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
8
printing values...
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
1
Enter Item value12
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
1
Enter Item value123
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
1
Enter Item value1234
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
8
printing values...
1234
123
12
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
2
Enter value89
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
3
Enter the location1
Enter value12345
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
printing values...
1234
123
12345
12
89
*********Main Menu*********
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
4
node deleted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
5
node deleted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
8
printing values...
123
12345
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
6
Enter the data after which the node is to be deleted : 123
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
8
printing values...
123
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
7
Enter item which you want to search?
123
item found at location 1
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
6
Enter the data after which the node is to be deleted : 123
Can't delete
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Insert at any random location
4.Delete from Beginning
5.Delete from last
6.Delete the node after the given data
7.Search
8.Show
9.Exit
Enter your choice?
9
Exited..
Unit 4 : Chapter 9
Operations on Linked List
9.0.Objective
9.1.Circular Singly Linked List
9.2.Memory Representation of circular linked list
9.3.Operations on Circular Singly linked list
9.4.Deletion& Traversing
9.5.Menu-driven program in C implementing all operations on circular singly
linked list
9.6.Circular Doubly Linked List
9.7.Memory Management of Circular Doubly linked list
9.8.Operations on circular doubly linked list
9.9.C program to implement all the operations on circular doubly linked list
9.0.Objective
To Understand the concept of Circular Singly Linked List
Operations on Circular Singly linked list
To Understand the concept of Circular Doubly Linked List
Memory Management of Circular Doubly linked list
9.1.Circular Singly Linked List
In a roundabout Singly connected rundown, the last hub of the rundown contains a
pointer to the primary hub of the rundown. We can have roundabout separately
connected rundown just as roundabout doubly connected rundown.
We navigate a roundabout separately connected rundown until we arrive at a similar
hub where we began. The roundabout separately loved rundown has no start and no
consummation. There is no invalid worth present in the following piece of any of the
hubs.
The accompanying picture shows a round separately connected rundown.
Circular linked list are generally utilized in errand support in working frameworks.
There are numerous models where round connected rundown are being utilized in
software engineering including program riding where a record of pages visited in the
past by the client, is kept up as roundabout connected records and can be gotten to
again on tapping the past catch.
9.2.Memory Representation of circular linked list:
In the accompanying picture, memory portrayal of a round connected rundown
containing signs of an understudy in 4 subjects. Nonetheless, the picture shows a
brief look at how the round rundown is being put away in the memory. The beginning
or top of the rundown is highlighting the component with the file 1 and containing 13
imprints in the information part and 4 in the following part. Which implies that it is
connected with the hub that is being put away at fourth list of the rundown.
Notwithstanding, because of the way that we are thinking about roundabout
connected rundown in the memory in this manner the last hub of the rundown
contains the location of the primary hub of the rundown.
We can likewise have more than one number of connected rundown in the memory
with the distinctive beginning pointers highlighting the diverse beginning hubs in the
rundown. The last hub is distinguished by its next part which contains the location of
the beginning hub of the rundown. We should have the option to recognize the last
hub of any connected rundown with the goal that we can discover the quantity of
cycles which should be performed while navigating the rundown.
9.3.Operations on Circular Singly linked list:
Insertion
SN Operation Description
1 Insertion at beginning Adding a node into circular singly linked list at the beginning.
2 Insertion at the end Adding a node into circular singly linked list at the end.
9.4.Deletion& Traversing
SNOperation Description
1 Deletion at Removing the node from circular singly linked list at the beginning.
beginning
2 Deletion at the Removing the node from circular singly linked list at the end.
end
3 Searching Compare each element of the node with the given item and return the
location at which the item is present in the list otherwise return null.
4 Traversing Visiting each element of the list at least once in order to perform some
specific operation.
}
}
voidlast_delete()
{
struct node *ptr, *preptr;
if(head==NULL)
{
printf("\nUNDERFLOW");
}
else if (head ->next == head)
{
head = NULL;
free(head);
printf("\nnode deleted\n");
}
else
{
ptr = head;
while(ptr ->next != head)
{
preptr=ptr;
ptr = ptr->next;
}
preptr->next = ptr -> next;
free(ptr);
printf("\nnode deleted\n");
}
}
void search()
{
struct node *ptr;
intitem,i=0,flag=1;
ptr = head;
if(ptr == NULL)
{
printf("\nEmpty List\n");
}
else
{
printf("\nEnter item which you want to search?\n");
scanf("%d",&item);
if(head ->data == item)
{
printf("item found at location %d",i+1);
flag=0;
}
else
{
while (ptr->next != head)
{
if(ptr->data == item)
{
printf("item found at location %d ",i+1);
flag=0;
break;
}
else
{
flag=1;
}
i++;
ptr = ptr -> next;
}
}
if(flag != 0)
{
printf("Item not found\n");
}
}
}
void display()
{
struct node *ptr;
ptr=head;
if(head == NULL)
{
printf("\nnothing to print");
}
else
{
printf("\n printing values ... \n");
while(ptr -> next != head)
{
printf("%d\n", ptr -> data);
ptr = ptr -> next;
}
printf("%d\n", ptr -> data);
}
}
Output:
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in begining
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
1
Enter the node data?10
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
2
Enter Data?20
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
2
Enter Data?30
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
3
node deleted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
4
node deleted
*********Main Menu*********
Choose one option from the following list ...
==============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
5
Enter item which you want to search?
20
item found at location 1
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
6
printing values ...
20
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search for an element
6.Show
7.Exit
Enter your choice?
7
Traversing and searching in circular doubly linked list is similar to that in the circular
singly linked list.
9.9.C program to implement all the operations on circular doubly linked list
#include<stdio.h>
#include<stdlib.h>
struct node
{
struct node *prev;
struct node *next;
int data;
};
struct node *head;
voidinsertion_beginning();
voidinsertion_last();
voiddeletion_beginning();
voiddeletion_last();
void display();
void search();
void main ()
{
int choice =0;
while(choice != 9)
{
printf("\n*********Main Menu*********\n");
printf("\nChoose one option from the following list ...\n");
printf("\n===============================================\n");
printf("\n1.Insert in Beginning\n2.Insert at last\n3.Delete from Beginning\n4.Delete
from last\n5.Search\n6.Show\n7.Exit\n");
printf("\nEnter your choice?\n");
scanf("\n%d",&choice);
switch(choice)
{
case 1:
insertion_beginning();
break;
case 2:
insertion_last();
break;
case 3:
deletion_beginning();
break;
case 4:
deletion_last();
break;
case 5:
search();
break;
case 6:
display();
break;
case 7:
exit(0);
break;
default:
printf("Please enter valid choice..");
}
}
}
voidinsertion_beginning()
{
struct node *ptr,*temp;
int item;
ptr = (struct node *)malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter Item value");
scanf("%d",&item);
ptr->data=item;
if(head==NULL)
{
head = ptr;
ptr -> next = head;
ptr ->prev = head;
}
else
{
temp = head;
while(temp -> next != head)
{
temp = temp -> next;
}
temp -> next = ptr;
ptr ->prev = temp;
head ->prev = ptr;
ptr -> next = head;
head = ptr;
}
printf("\nNode inserted\n");
}
}
voidinsertion_last()
{
struct node *ptr,*temp;
int item;
ptr = (struct node *) malloc(sizeof(struct node));
if(ptr == NULL)
{
printf("\nOVERFLOW");
}
else
{
printf("\nEnter value");
scanf("%d",&item);
ptr->data=item;
if(head == NULL)
{
head = ptr;
ptr -> next = head;
ptr ->prev = head;
}
else
{
temp = head;
while(temp->next !=head)
{
temp = temp->next;
}
temp->next = ptr;
ptr ->prev=temp;
head ->prev = ptr;
ptr -> next = head;
}
}
printf("\nnode inserted\n");
}
voiddeletion_beginning()
{
struct node *temp;
if(head == NULL)
{
printf("\n UNDERFLOW");
}
else if(head->next == head)
{
head = NULL;
free(head);
printf("\nnode deleted\n");
}
else
{
temp = head;
while(temp -> next != head)
{
temp = temp -> next;
}
temp -> next = head -> next;
head -> next ->prev = temp;
free(head);
head = temp -> next;
}
}
voiddeletion_last()
{
struct node *ptr;
if(head == NULL)
{
printf("\n UNDERFLOW");
}
else if(head->next == head)
{
head = NULL;
free(head);
printf("\nnode deleted\n");
}
else
{
ptr = head;
if(ptr->next != head)
{
ptr = ptr -> next;
}
ptr ->prev -> next = head;
head ->prev = ptr ->prev;
free(ptr);
printf("\nnode deleted\n");
}
}
void display()
{
struct node *ptr;
ptr=head;
if(head == NULL)
{
printf("\nnothing to print");
}
else
{
printf("\n printing values ... \n");
while(ptr -> next != head)
{
printf("%d\n", ptr -> data);
ptr = ptr -> next;
}
printf("%d\n", ptr -> data);
}
}
void search()
{
struct node *ptr;
intitem,i=0,flag=1;
ptr = head;
if(ptr == NULL)
{
printf("\nEmpty List\n");
}
else
{
printf("\nEnter item which you want to search?\n");
scanf("%d",&item);
if(head ->data == item)
{
printf("item found at location %d",i+1);
flag=0;
}
else
{
while (ptr->next != head)
{
if(ptr->data == item)
{
printf("item found at location %d ",i+1);
flag=0;
break;
}
else
{
flag=1;
}
i++;
ptr = ptr -> next;
}
}
if(flag != 0)
{
printf("Item not found\n");
}
}
}
Output:
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
1
Enter Item value123
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
2
Enter value234
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
1
Enter Item value90
Node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
2
Enter value80
node inserted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
3
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
4
node deleted
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
6
printing values ...
123
*********Main Menu*********
Choose one option from the following list ...
===============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
5
Enter item which you want to search?
123
item found at location 1
*********Main Menu*********
Choose one option from the following list ...
============================================
1.Insert in Beginning
2.Insert at last
3.Delete from Beginning
4.Delete from last
5.Search
6.Show
7.Exit
Enter your choice?
7
Unit 5: Chapter 10
Trees
Unit Structure
10.0 General Tree & Definition
10.1 Properties of the Tree
10.2 Binary Tree
10.2.1 Binary Tree
10.2.2 Strictly Binary Tree
10.2.3 Almost complete Binary Tree
10.2.4 Complete Binary Tree
10.3 Conversion of Tree to Binary tree
10.4 Construction of Binary Tree
10.5 Binary Search Tree
10.5.1 Binary Search Tree
10.5.2 Operations on Binary Search Tree
10.6 Tree Traversal
10.7 Construction of Binary Tree from the Traversal of the tree
10.8 Expression Tree
10.9 Threaded Binary tree
10.10 Huffman Tree
10.11 AVL Tree
10.12 Heap
10.12.1 Heap Tree
10.12.2 How to Construct Heap Tree
10.12.3 Heap Sort
10.0 Trees: A Tree is a collection of nodes. The collection can be empty also. There is a specially
designated node called Root Node. The Remaining nodes are partitioned in sub-trees like T1, T2,…Tn.
The tree will have unique path from root node to its children or leaf node. The tree does not have
cycle.
Dig 1.
A H(I)=2; H(E)=1;
H(O)=0; H(A)=3 B
C D E D(H)=2; D(K)=2;
D(P)==3
F
G
I J K L
H
O
M N P
10.1 Properties of the Tree:
1. The root of each sub-tree is a child of a Root node and root R is the parent of each
root of the sub-tree.
2. Every node except the root node has one parent node and all the parent nodes
have at least one child. The parent can have one or more children except the leaf
node.
3. The node which has no child called leaf node or terminal nodes. A tree can have one
or more leaf nodes or terminal nodes.
4. The nodes with the same parent are called siblings.
5. The depth of a node n is the unique path from root node to the node n. The depth
of the tree is the unique path from root node to the deepest leaf node.
6. The height of a node n is the unique path from the node n to the root node. The
height of the tree is the unique path from deepest leaf node to the root node.
7. The height of the tree must be equal to the depth of the tree.
Therefore H(T)= D(T). Where H represents the Height, D represents the Depth and T
represents the Tree.
8. All the leaves at height zero and the depth of the root is zero.
9. If there is a direct path from n1 to n2 then n1 is an ancestor of n2 and n2 is
descendant of n1.
10. A tree should not have multiple paths from node n1 to node n2.
10.2.1 Binary Tree: A tree is called binary tree if all the nodes in the tree has at the most two
children. In a binary tree a parent can have either zero child or one child or two children.
Note: All the nodes have at the most two children.
A
B
C
D
10.2.2 Strictly Binary Tree: A binary tree is called strictly binary tree if every non leaf node in a
binary tree has non empty left sub-tree and right sub-tree.
D E
B
Any binary tree can be converted in to a strictly binary
C tree by adding left sub-tree or right sub-tree.
In the above tree all the non leaf nodes have left sub tree as well as right sub tree also. A is a non leaf
node has left and right sub tree similarly C is a non leaf node has left and right sub tree. Therefore the
above tree is a strictly binary tree.
10.2.3 Almost complete Binary Tree: A binary tree is called almost complete binary tree if it satisfys
the following two properties:
1. All the leaf nodes should be present either at level d or d-1.
2. Any non leaf none if it has right sub-tree then there should be left sub-tree also.
A
C
B
In this tree C, D, E are theDnon leaf node are available either at depth d or d-1.
E
B has right sub tree therefore it should have left sub tree as well. The node B has both the sub trees
hence it is an almost complete binary tree.
10.2.4 Complete Binary Tree: A binary tree is called complete binary tree if it satisfies the following
properties:
1. Each node in tree must have at the most two children.
2. In a complete binary tree with n node at position i , the left child node must be
present at position 2i such that 2i<=N where N is the total number of nodes in a tree
and the right child node must be present at position 2i+1 such that 2i<=N where N is
the total number of nodes in a tree.
3. The parent of left child node must be present at position i/2 such that i/2<N where
N is the total number of nodes in a tree and the parent of right child node must be
present at position (i-1)/2 such that (i-1)/2< N where N is the total number of nodes
in a tree.
4. The complete binary tree at depth d is a strictly binary tree in which all the leaves
are present at depth d.
5. The complete binary tree of level l contains 2l at any level of a complete binary tree.
6. The total number of nodes in a complete binary tree will be calculated E(l=0 to d) 2l.
L0
A
L1
L2
B C L3
D E L4
F G
A D E D D D
There are 4 levels in the tree D D
Each level number of nodes in Complete Binary : 20
Total Number of nodes at level 0: 20 =1
Total Number of nodes at level 1: 21 =2
Total Number of nodes at level 2: 22 =4
Total Number of nodes at level 2: 23 =8
Total Number of nodes in the tree: L0 + L1 + L2 + L3= 1+2+4+8= 15
10.3 Conversion of Tree to Binary tree: A tree can be converted to a binary tree with the help of following
statement:
The left child of a node n will remain the left child of a node n and the right sibling will become the
right child of a node n.
A A
B
C D
B F G
C
I
H I D
G H F
10.4 Construction of Binary Tree: The binary tree can be constructed with the help of following norms:
1. Start with the first value, become the root node.
2. The next value will be added at the last position of the tree.
3. Always first add the left child of the parent then the right child to the parent.
Problem: Construct Binary tree of Mon, Tue, Wed, Thu, Fri, Sat
Step 1: Step 2: Step3:
Mon
Mon
Mon Wed
Step 4: Tue Step 5: Step 6:
Tue
Mon Mon Mon
Problem 1: Construct the binary search tree for the following values.
25, 24 6, 7, 11, 8, 27, 34, 45, 16, Step 4:
25
Step 5: 92
25
Step 1 Step 2: Step 3:25
92 25
9225
Step 6: Step 7: Step 8: 24
24 24 7
27 24
24 27
24 27 24
6
34 6
45 6 7
6 7 34
Problem 2: Construct the binary search tree for the following values. 6 16 7 3
6 7
Mon, Tue, Wed, Thu, Fri, Sat, Sun
Step 1: Step2: Step 3:
Mon
Mon Mon
Mon Mon
Tue
If the deleted node is a leaf node then delete the node directly from the binary tree.
Delete Thu :
Wed
Mon
Thu
If a deleted node n has two children then either replace the highest Wed
value of left sub-tree from the
Tue
deleted node value or replace the lowest value of right sub-tree from the deleted node value.
Delete 25 Replaced by lowest value from
25 Wed 27 RST
24
27 24
10.6 Tree Traversal: Tree traversal is to visit all the nodes
6 exactly once. Tree traversal is possible only for
6 7
Simple tree and all the7Binary trees. Tree traversal does not require algorithm. In case of Binary tree
the traverse will start from root not and covers all the nodes from left to right.
I
Traversal of above tree: A B C D F G
B H I
C traversal
Binary Tree Traversal: The meaning of binary tree D is to visit all the nodes of a binary tree
F
exactly once. There are three types of binary tree traversals:
1. Pre-Order Traversal
G H 25
2. In-Order Traversal
3. Post-Order Traversal
24 27 Dig
8
6 7
The Algorithms of Binary Tree Traversals:
Pre-Order Traversal
1. Visit the root node.
2. Traverse the left sub-tree in Pre-Order.
3. Traverse the Right sub-tree in Pre-Order.
Problem 1: Construct and Traverse the binary tree in Pre-Order, In-Order and Post-
Order .
92, 24 6,7,11,8,22,4,5,16,19,20,78
Problem 2: Construct and Traverse the binary tree in Pre-Order, In-Order and Post-
Order .
Mon, Tue, Wed, Thu, Fri, Sat, Sun
Problem 3: Construct and Traverse the binary tree in Pre-Order, In-Order and Post-
Order .
Jan, Feb , Mar, Apr, May, June , July, Aug , Sept, Oct, Nov, Dec.
Problem 4: Construct and Traverse the binary tree in Pre-Order, In-Order and Post-
Order .
Dec, Nov, Oct, Sept, Aug, July, June , May, Apr, Mar, Feb, Jan
Problem: Construct a binary tree of a traversal of the tree for which the following is the in-order
and Pre-order Traversal. Step 1 Step 2:
J
In-Order: A B C E D F J G I H J
Pre-Order: J C B A D E F I G H
C
Step 3: ABCEDF
Step 4: GIH
J AB
J EDF
C G I
C EDF GI H
A A H
F
B E
B D
Problem: Construct a binary tree of a traversal of the tree for which the following is the in-order
and Post-order Traversal.
Post-Order: F E C H G D B A Step 1: Step 2:
A
In-Order: F C E A B H D G A
Step 3: BHDG
A FCE
Practice Problem: Construct a binary tree of a traversal of the tree for which the Ffollowing
C is Ethe B
B
Pre-order and Post-order Traversal.
Pre-Order:C G F D A B E C
Post-Order: A B D C E F G D
10.8 Expression Tree: All the algebraic equations can be represented in the form of binary tree. An
F H G
algebraic equation
E is represented in the form of infix notation in which the operator is coming
between the operands. For example A+B where A and B are the operands and + is an operator
which is coming between operands A and B. While representing an algebraic equation in the
form of binary tree, the entire operator will be either root node or internal nodes and all the
operands will be the leaf nodes.
Expression tree satisfy following properties:
1. It represents an algebraic equation in the form of binary tree.
2. All the operators will be either root node or an internal node and all the operands
will always be the leaf nodes.
3. Expression is an infix notation of a binary tree.
4. If you traverse the expression tree in an in-order then it is converted in to an
algebraic equation.
+
Algebraic equation A+B can be represented as
Problem: B
How to construct an expression Tree: A
Step1: Convert the algebraic equation either in to pre fix notation or postfix notation.
Step 2: By Prefix / Postfix notation identify the root.
Step 3: All the values which comes left to prefix value in infix notation will be part of left sub tree and
the values come to right to the prefix value in infix notation will be the part of right sub tree.
Construct an expression tree of the following algebraic equation.
A + B * C+ D *
Infix Notation: A + B * C+ D A+B C+D
Prefix Notation: *+AB+CD
*
+
+
A
Construct an expression Tree for the following algebraic equation: B C D
A. A+B*C B. (A+B)*(C-D) E. A*C + D/F F. X*Y-Z*U
Convert the expression in prefix notation and post fix notation and then construct the tree.
A. A/B*C B. (A+B*C)/(E-D) E. A*C * D/F F. X/Y-Z*U
Example: Infix Notation: (A+B)/(C-D)
A+B
C- D
/
A + B
Prefix Notation: /+AB-CD C- D
+
10.9 Threaded tree: Threaded binary treeBis a binary tree, whichC does not- allow theDback tracking
method. Threaded Binary Tree is a solution of traversing the tree without using back tracking
method.
If a binary
A search tree is constructed and traverse the same tree in in-order then to visit the next
node some it passes through a previous node value. Threaded binary tree is a solution of back
tracking method in which while traversing the tree in in-order, it will not pass through the
previous node value.
Process: Traverse the binary tree in in-order and mark all the successor node of all the leaf node
of in-order traversal tree of the same tree. These leaf nodes will be connected to their successor
node value by a thread which is redirecting the leaf node value to connect with successor node
and avoid going to previous node value.
In-order: B G D H K L A E I C J
F
Leaf Nodes: G L I J
Successor Leaf nodes : G-> D; L->A I-> C J->F
Therefore G will be connected with D by a threaded. Similarly L by A , I by C and J by F.
Binary Threaded Tree
A A
B C
F C
D E
G J B
H I
K D E
L
Thread Binary tree avoid back tracking method which is a drawback of traversal of binary tree.
Threads are proving an alternate path to move from one node to another node. G H
I
K
10.10 Huffman tree: Huffman Tree is a representation of alphabets or numbers as per their frequency.
Many times we see an alphabet is repeated multiple times or combination of alphabets is
L
repeated in the same combination. Huffman coding is a lossless data compression technique. In
this all the alphabets are assigned variable length unique code by forming the tree. This tree is
called Huffman Tree.
How to construct a Huffman Tree:
1. Arrange all the alphabets in ascending or descending order and place them a leaf
node of a tree.
2. Add two lowest frequency nodes and form a new node which will be one level up.
The value of this new node will be the addition of both the nodes which are added.
3. Keep adding two lowest frequency nodes which are not yet added.
4. Repeat step number three un till a root is formed.
5. Assign 0 to all the left branch of the tree and 1 to all the right branch of the tree.
6. A code of each alphabet is identified by reading the branch values from top to
bottom which is a unique path from root to the leaf node.
E G D H B F A C
28 20 18 14 13 10 6 4
10
E G D H B F A C
20
38 27 10
E G D H B F A C
47
66
20
38 27 10
E G D H B F A C
47
0 1
47
66 1
1 0 20 1
0
38
0 27 1 0 0 10
1
0 1
E G D H B F A C
Huffman Code:
E: 00 D: 011 B: 101 A: 1110
G: 010 H:100 F: 110 C:1111
10.11 AVL tree: AVL Tree is identified by Adelson Velskii and Landis. That is why it is called as AVL Tree.
AVL tree is a solution of a binary search tree which is constructed for either all the
values of increasing order or decreasing order. It has following problems:
1. When a binary search tree is constructed of ascending or descending values it
will go one side either left hand side or right hand side.
2. The tree will not look like a tree at the same time and it will not be balanced.
Therefore AVL Tree is a solution to overcome from both the above problems.
AVL Tree is a binary search tree in which the difference between the height of left sub tree and the
height of right sub tree must be less than equal to one. The condition can be represented by
following equation.
HL ~ HR <=1
HL is Height of Left sub tree
HR is Height of Right sub-tree.
Since the tree will be balanced therefore it is called as Height Balance tree or Balanced Binary Search
Tree.
AVL Tree must satisfy the following properties:
1. The difference between the height of left sub tree and the height of right sub tree
must be less than equal to one.
2. A new node can be added to the AVL tree only if the tree is balanced.
3. All the nodes must have balance factor either 0 or 1.
How to Balance Binary search tree: Use rotation by finding the unbalancing is due to which sub
tree.
1. If the tree is unbalance due to the height of left sub tree then rotate the tree in to
right hand side. Dig
2. If the tree is unbalance due to the height of right sub tree then rotate the tree in to
left hand side. Dig
3. If the tree is unbalance due to the right sub tree of left sub tree then rotate the tree
first left then right hand side. [In this case there will be multiple rotations to balance
the tree.]
4. If the tree is unbalance due to the left sub tree of right sub tree then rotate the tree
first right then left hand side. [In this case there will be multiple rotations to balance
the tree.]
5. Dig 14.1
Mon Wed
Tue Wed
Fri Thu
Tue Tue
Sat
Sat Sat
Mon Wed Sat Wed
Sat
Thu Fri
Fri Thu Wed
Mon Tue Mon Tue
Fri Sat Mon Thu
Mon Tue
The final AVL tree is constructed in which the balancingFrifactor of all the Wed
nodes is less then equal
Sun Thu
to 1
Fri Rotation: Thu Wed
Double if unbalancing is due to left of right sub tree then first rotate the sub tree in to
right side than rotate the sub tree in to left side and if unbalancing is due to right of left sub tree
then first rotate the sub tree in to left side than rotate the sub tree in to right.
Practice Problems:
Construct and AVL Tree for the following values.
92, 24 6,7,11,8,22,4,5,16,19,20,78
Construct and AVL Tree for the following values.
Sun, Mon, Tue, Wed, Thu, Fri, Sat
Construct and AVL Tree for the following values.
Jan, Feb , Mar, Apr, May, June , July, Aug , Sept, Oct, Nov, Dec.
Construct and AVL Tree for the following values.
Dec, Nov, Oct, Sept, Aug, July, June , May, Apr, Mar, Feb, Jan
10.12.1 Heap: Heap Tree is binary tree in which parent node is either greater than its children or lesser
than its children. There are two types of Heap Tree.
Max Heap Min Heap
20 5
If the parent node is10
greater than its children
30 then it is called as Max Heap.
If the parent node is lesser than its children
0 then it is called as Min Heap.
10 30
1. Max Heap: Max Heap Tree is binary tree in which parent node is greater than its
0
children. Using max heap tree the values will be coming in descending order if the
same heap tree is used for shorting.
2. Min Heap: Min Heap Tree is binary tree in which parent node is greater than its
children. Using min heap tree the values will be coming in ascending order if the
same heap tree is used for shorting.
79 19 16 79 54 16
85 85
19
79 16 79 16
38 26
85
19 54 85 19 54
38
79 38
79 38 19
36 Steps to construct Min Heap: Follow the following steps to construct min heap.
36 54
191. The first54 value becomes the root node of the tree.
16 26
2. Add next value 16 at the last position
26 of the three. If the parent value is greater than its
children the replace the parent node value to the lowest child value and the tree is
converted in to heap.
3. Repeat the step number 2 until all the values are added in to the heap tree.
The way max heap is constructed; min heap can also be constructed similarly.
10.12.3 Steps to apply Heap Short:
1. Convert the tree in to heap.
2. Take out the value from the root.
3. Replace last node value from the root node value.
4. Go to step 1 until number of nodes are greater than one.
85 19
85
79 38 79 38
36 54 36 54
16 26 16 26
19
26
79
79
54 38
54 38 36 19
16
36 19
54 54 16 26 16
36 38 36 38
38 38 19
26 19 26 19
16 2
6 36 16 36 19
36 16 26
36
26 19 26 16
26 26 16 19
16
16 19 16
19 16
19
85, 79, 54, 38, 1936, 26, 19, 16 16
Hence the values are in sorted order from highest value to the lowest value. Max heap sort will
arrange the values in descending order while min heap arrange the values in ascending order.
Reheap up and Reheap down: The concept of reheap up and reheap down is how the values are
shifting upward direction or downward direction while constructing the heap tree. If the values are
shifting upward direction then it is call Reheapup and if the values are shifting downward direction
then it is call reheap down.
Unit 5: Chapter 11
M- Way Tree
11.1 M- Way Tree
11.1.1 M Way-Tree
11.1.2 Construction of M-Way Tree
11.2 B-Tree
11.2.1 B- Tree
11.2.2 Construction of B-Tree
11.3 B* Tree
11.3.1 B* Tree
11.3.2 Construct of B*- Tree
11.4 Deletion from B-Tree/ B* Tree
11.5 Similarities and Difference from B-Tree and B* Tree
11.5.1 Similarities in B-Tree and B* Tree
11.5.2 Difference from B-Tree and B* Tree
11.6 Practice Problem based on B-Tree and B* Tree
11.1.1 M-Way Tree: M-way tree is a multi valued tree in which a node consists of multiple values and
satisfy the following properties.
1. M-Way tree of order m will have maximum m pointers and m-1 key values in a
node. All the keys must be placed in an increasing order or ascending order.
2. If a node has m-1 key values then the node is full. If a node is full then the new key
value will be either left child value of the parent node if it is lesser then its parent
node value or right pointer child value if it is greater than its parent value.
3. A new key value will be added at the leaf node value.
4. The leaves may not be at the same level.
K1<K K2>K
11.1.2 Construction of M-Way tree of order 5 for the following values:
92, 24 6,7,11,8,22,4,5,16,29,40,78
Maximum Number of key values in a node: (m-1) = 5-1= 4
Step 1: 6, 7, 24, 92
Step 2:
6, 7 24, 92
Step
4, 53: 8, 11, 16, 22
6, 7 24, 92
11.2.1 8, 11,
B-Tree: B tree is a multi valued tree which a node consists29,40,
16in, 22 78 values and satisfy the
of multiple
following
4, properties.
5
1. B tree of order m will have maximum m pointers and m-1 key values in a node.
All the keys must be placed in an increasing order or ascending order.
2. If a node has m-1 key values then the node is full. If a node is full then split the
node. Select the median value which becomes the parent value. The values
coming left of median value will become the left child of parent value and the
values coming to right to the median value will become the right child of the
median value. The new key value will be inserted either left child of the parent
node (if it is lesser then its parent node value) or right child value of the parent
node ( if it is greater than its parent value).
3. A new key value will be added at the leaf node value.
4. The leaves must be at the same level.
5. The height of B-tree will always be lesser than M-Way Tree.
6. The new value will be inserted in the leaf node.
11.2.2 Construction of B Tree: Construct B- tree of order 5 for the following values:
92, 24 6,7,29 ,8,22,4,5,16,19,20,78
Maximum Number of Key values in a node= m-1=5-1=4
6, 7, 24, 92
24
6, 7
29, 92
24
6, 7, 8, 22
7 24 29, 92
8, 16, 19, 22 29, 92
4, 5, 6
7 19 24
6 24 92
24
6, 7, 8 29, 92
7 24
4,5,6, 8 16, 22 29, 92
7 16 24
8 19, 20, 22 29, 78 92
B Tree of Order 4
11.3.1 B*-Tree: B* tree is a multi valued tree in which a node consists of multiple values and satisfy the
following properties.
1. B* tree of order m will have maximum m pointers and m-1 key values in a node.
All the keys must be placed in an increasing order or ascending order.
2. If a node has m-1 key values then the node is full. If a node is full then split the
node only if all the siblings are full. If all the siblings are full then only select the
median value which becomes the parent value. The values coming left of
median value will become the left child of parent value and the values coming
to right to the median value will become the right child of the median value.
The new key value will be inserted either left child of the parent node (if it is
lesser then its parent node value) or right child value of the parent node ( if it is
greater than its parent value). If siblings are not full the rotate the values of the
leaf node and make the place empty for the new key value.
3. A new key value will be added at the leaf node value.
4. The leaves must be at the same level.
5. The height of B*-tree will always be lesser than B Tree.
6. B* tree is referred for classification of topic. B* tree is also referred for the
purpose of indexing.
7. The new value will be inserted in the leaf node.
11.3.2 Construction of B* Tree: Construct B*- tree of order 5 for the following values:
92, 24 6,7,29 ,8,22,4,5
Maximum Number of Key values in a node= m-1=5-1=4
6, 7, 24, 92
24
6, 7 29, 92
8
24 5 for the following values:
Problem: Construct B*- tree of order
94, 25 6,7, 8 , 29 ,22, 104, 105, 4
Next value is 22. It will be inserted before 25 as the node can consist of maximum 4 key values.
6, 7, 8 25,29 , 94
Next value is 104. It will be inserted after 94 as the node can consist of maximum 4 key values But the
node is full therefore 104 can’t be inserted in to right child of22,
8. Hence
25, 29 new
, 94 value can be inserted
6, 7,
after rotating 22 as a root node and 8 will come down to the left hand side.
22 8
Once the key values are rotated the new place is empty at right25,29 child ,node.
94, 104
22, 25,29 , 94
Next value is 105. It will be6,inserted
7, 8 6, 7,
after 94 as the node can consist of maximum 4 key values But the
node is full therefore 105 can’t be inserted in to right child of 8. Hence new value can be inserted
after rotating 22 as a root node and 8 will come down to the left hand side.
25
Now the place is empty at the right child of 25 therefore 105 can be inserted in to the right child of
25. 6, 7, 8, 22
29, 94,104
25
Next value is 4 but both the siblings are full therefore break the left node of 25. Since 4 is the left
most value of the same node then median value will become 7. 7 will move up and 4,6 will become
the left child of 7 and 8 and
6, 7, 29, 94, 104, 105
8,2222 will become the right child of 7.
7 25
7 25
11.4 Deletion from B Tree:
Deletion from B tree is the deleting the key values from a node. Below are the rules to delete the key
values from the node.
1. The key
values are deleted from the leaf node only.
2. At a time
only one key value is deleted.
3. The key
value can’t be deleted from root node and internal node.
4. Key value
can’t be deleted if the number of key values is less the m/2 key values.
5. If the key
value which is available at leaf node is supposed to be deleted and the node have
more than m/2 key values than delete the key value from the leaf node directly.
6. If the key
value which is available at leaf node is supposed to be deleted and the node have
m/2 key values or less than m/2 key values then merge the leaf node siblings and
then delete the key value from the leaf node directly.
7. If the key
value which is not available at leaf node is supposed to be deleted and the node
have more than m/2 key values then move key value at the leaf node and then
delete the key value from the leaf node directly.
7 25
Delete 4; Order m=5; Maximum number of key values = m-1=5-1=4
Minimum number of Key values=m/2=5/2=2.5=2 (Consider only integral part)
Four is deleted from the leaf node directly since it was available at the leaf node and the node has
more than m/2 Key values.
Since a node has maximum 4 key values hence the order is 5. Therefore there can be minimum 2 key
values in a node. 11,15, 18, 22
7 7 25 25
Delete 6
11,15, 18, 22 29,104,
94, 105
104, 105
2, 3 , 2,
6 3,6 7 25 29, 94,
6 is deleted from the leaf node since it was available at the leaf node and number of key values in a
node was more than m/2.
Delete 7
7 can’t be deleted directly since it is not available at the leaf node therefore rotate the key values.
7 25
1111 2525
2, 3 15, 18, 22 25
11 29, 94, 105
11 25
2, 3 15, 22 29, 94
11
15, 22,25, 94
2, 3
Since the node containing the value 29, will have less than m/2 key values therefore both the siblings
will be merged.
Delete 2 from the tree: First rotate the key values in which 11 will move down and 15 will move up.
15
1522, 25, 94
2, 3 11
3, 11 22,25, 94
Delete 15 from the tree: 22 will move up and 15 will move down than 15 will be deleted from the
leaf.
22
3 ,11,15 25, 94
22
3 ,11 25, 94
22
3 ,15 25, 94
Delete 25 from the Tree: 25 is available at the leaf node but both siblings has m/2 key values
therefore merger will take place.
3, 15, 22, 94
Further values from the tree can’t be deleted since the node is containing m/2 key values and neither
rotation is possible nor merger is possible.
8
Solution: The value 107 can’t be inserted directly in to the B tree of order 5 and a node can contain
maximum 4 values in this case the node. Therefore split the right child node.
8 24
4, 5, 6, 7 22 29, 92
88 24
24
Solution: Since the sibling is empty therefore rotation is possible here. 7 will move up and 8 will come
down and then 2 will be inserted in the B* Tree.
4,
4, 5,
5, 6,
6, 77 22
22 29,
29, 92,
92 107
7 24
4, 5, 6 8,22 29, 92
7 24
2, 4, 5, 6 7,22 29, 92
Unit 6: Chapter 12
Graphs
Introduction to Graphs
12.0 Objectives ...................................................................................................................... 274
12.1 Introduction .................................................................................................................... 275
12.2 Basic Concepts of Graphs .............................................................................................. 275
12.2.1 Types of Graphs ...................................................................................................... 277
12.2.2 Representing Graphs ............................................................................................... 278
12.2.2.1 Adjacency Matrix............................................................................................. 278
12.2.2.2 Adjacency List: ................................................................................................ 280
12.2.2.3 Adjacency Multi-lists ....................................................................................... 281
12.2.2.4 Weighted edges ................................................................................................ 282
12.2.3 Operations on Graphs .............................................................................................. 282
12.2.3.1 Depth-First Search ........................................................................................... 282
12.2.3.2 Breadth-First Search ........................................................................................ 283
12.2.3.3 Connected Components ................................................................................... 285
12.3 Graph Traversals ............................................................................................................ 289
12.3.1 In-order .................................................................................................................... 289
12.3.2 Pre-order .................................................................................................................. 290
12.3.3 Post-order ................................................................................................................ 290
12.4 Summary ........................................................................................................................ 291
12.5 Review Your Learning ................................................................................................... 291
12.6 Questions........................................................................................................................ 291
12.7 Further Reading ............................................................................................................. 292
12.8 References ...................................................................................................................... 292
12.0 Objectives
1. Explain basic graph terminologies.
2. Understand adjacency matrix and convert to graphs.
3. Describe various operations like BFS, DFS performed on graphs
4. Analyse the applications of graphs in day-to-day life
12.1 Introduction
A Graph in data structure is a type of non-linear data structure.Map is a well-established example of
a graph. In a map, various cities are connected using links. These links can be considered as roads,
railway lines or aerial network. Leonhard Euler was a scientist and he used graph theory to solve
Seven Bridges of Konigsberg problem in 1736. He laid the foundations of Graph Theory idea of
topology. The problem of Konigsberg bridge was to find whether there is a possible way to traverse
every bridge exactly once.This is shown in below in figure (a) and is called as Euler’s Tour.
Figure: (a) Seven Bridges of Konigsberg and (b) Graphical Representation of figure (a)
As we can see the graphical representation of Konigsberg’s seven bridges in figure b, here the points
A, B, C and D are called as Vertex in graph terminologies and the paths joining to these vertices are
called as edges.
We can represent any graphical scenario with the help of graphs and find a solution for the same.
Applications of Graphs in real life:
1. Solving Electricity Distribution problem
2. Maps like Cities, Rivers, Countries and so on
3. Water distribution in various areas
4. CAD/CAM applications
5. Finding Disaster Relief Solutions
Vertices A B
gr gr E
ap ap gr
Ch hD ap
gr
is Dg
is h
ap
de ra
de Edges is
hfin ph
fin de
Example: Graph G can be defined as G = (V, E) where,
is is
ed ed fin
V = {A,B,C,D,E} and de de
as as ed
E = {(A,B),(A,C)(A,D),(B,D),(C,D),(B,E),(E,D)}. fin fin as
Gr Gr
ed
ap ed
ap Gr
as
h has ap
This is a graph with 5 vertices and 6 edges.
Graph Terminology
1. Vertex: An individual data element of a graph is called as Vertex. Vertex is also
known as node.
In above example graph, A, B, C, D & E are known as vertices.
2. Edge: An edge is a connecting link between two vertices. Edge is also known as Arc.
An edge is represented as (starting Vertex, ending Vertex).
Example: In above graph, the link between vertices A and B is represented as (A,B)
3. Degree of a Vertex: The degree of a vertex is said to the number of edges incident
on it.
Euler showed that there is a path beginning at any vertex, going through each edgeexactly
once and terminating at the start vertex iff the degree of each, vertex is even. A walk which
does this is called Eulerian.
Ex: There is no Eulerian walk for the Koenigsberg bridge problem as all four vertices are of
odd degree.
4. Outgoing Edge: A directed edge is said to be outgoing edge on its origin vertex.
5. Incoming Edge: A directed edge is said to be incoming edge on its destination
vertex.
6. Degree: Total number of edges connected to a vertex is said to be degree of that
vertex.
7. Indegree: Total number of incoming edges connected to a vertex is said to be
indegree of that vertex.
8. Outdegree: Total number of outgoing edges connected to a vertex is said to be
outdegree of that vertex.
9. Parallel edges or Multiple edges: If there are two undirected edges to have the
same end vertices, and for two directed edges to have the same origin and the
same destination. Such edges are called parallel edges or multiple edges.
10. Self-loop: An edge (undirected or directed) is a self-loop if its two endpoints
coincide.
11. Simple Graph
12. A graph is said to be simple if there are no parallel and self-loop edges.
12.2.1 Types of Graphs
1. Undirected Graph: A graph with only undirected edges is said to be undirected
graph.
2. Directed Graph:A graph with only directed edges is said to be directed graph.
3. Complete Graph: A graph in which any V node is adjacent to all other nodes present
in the graph is known as a complete graph. An undirected graph contains the edges
that are equal to edges = n(n-1)/2 where n is the number of vertices present in the
graph. The following figure shows a complete graph.
4. Regular Graph: Regular graph is the graph in which nodes are adjacent to each
other, i.e., each node is accessible from any other node.
5. Cycle Graph: A graph having cycle is called cycle graph. In this case the first and last
nodes are the same. A closed simple path is a cycle.
6. Acyclic Graph: A graph without cycle is called acyclic graphs.
10.2.2.1Adjacency Matrix
In this representation, graph can be represented using a matrix of size total number of vertices
by total number of vertices; means if a graph with 4 vertices can be represented using a matrix
of 4X4 size.
In this matrix, rows and columns both represent vertices. This matrix is filled with either 1 or 0.
Here, 1 represents there is an edge from row vertex to column vertex and 0 represents there is
no edge from row vertex to column vertex.
Adjacency Matrix: Let G = (V, E) with n vertices, n 1. The adjacency matrix of G is a 2-
dimensional n n matrix, A, A(i, j) = 1 iff (vi , vj) E(G) (vi , vj for a diagraph), A(i, j) = 0
otherwise.
Example: For undirected graph
For a Directed graph
The adjacency matrix for an undirected graph is symmetric but the adjacency matrix for a
digraph need not be symmetric.
Merits of Adjacency Matrix: From the adjacency matrix, to determine the connection of vertices
is easy.
The degree of a vertex is
For a digraph, the row sum is the out_degree, while the column sum is the in_degree.
The space needed to represent a graph using adjacency matrix is n 2 bits. To identify the edges in
a graph, adjacency matrices will require at least O(n2) time.
2. Adjacency List
In this representation, every vertex of graph contains list of its adjacent vertices. The n rows of
the adjacency matrix are represented as n chains. The nodes in chain I represent the vertices
that are adjacent to vertex i.
It can be represented in two forms. In one form, array is used to store n vertices and chain is
used to store its adjacencies. Example:
So that we can access the adjacency list for any vertex in O(1) time.
Adjlist[i] is a pointer to to first node in the adjacency list for vertex i. Structure is
#define MAX_VERTICES 50
typedef struct node *node_pointer;
typedef struct node { int vertex; struct node *link; };
node_pointergraph[MAX_VERTICES];
int n=0; /* vertices currently in use */
Another type of representation is given below.
Example: Consider the following directed graph representation implemented using linked list.
Instead of chains, we can use sequential representation into an integer array with size n+2e+1.
For 0<=i<n, Array[i] gives starting point of the list for vertex I, and array[n] is set to n+2e+1. The
adjacent vertices of node I are stored sequentially from array[i].
For an undirected graph with n vertices and e edges, linked adjacency list requires an array of
size n and 2e chain nodes. For a directed graph, the number of list nodes is only e. the out
degree of any vertex may be determined by counting the number of nodes in its adjacency list.
To find in-degree of vertex v, we must traverse complete list.
To avoid this, inverse adjacency list is used which contain in-degree.
12.2.2.3 Adjacency Multi-lists
In the adjacency-list representation of an undirected graph each edge (u, v) is represented by two
entries one onthe list for u and the other on tht list for v. As we shall see in some situations it is
necessary to be able to determine ie ~ ndenty for a particular edge and mark that edge as having
been examined. This can be accomplished easilyif the adjacency lists are actually maintained as
multilists (i.e., lists in which nodes may be shared among severallists). For each edge there will be
exactly one node but this node will be in two lists (i.e. the adjacency lists foreach of the two nodes to
which it is incident).
For adjacency multilists, node structure is
typedef struct edge *edge_pointer;
typedef struct edge {
short int marked;
int vertex1, vertex2;
edge_pointer path1, path2;
};
edge_pointergraph[MAX_VERTICES];
12.2.2.4 Weighted edges
In many applications the edges of a graph have weights assigned to them. These weights may
represent the distance from one vertex to another or the cost of going from one; vertex to an
adjacent vertex In these applications the adjacency matrix entries A [i][j] would keep this information
too. When adjacency lists are used the weight information may be kept in the list’s nodes by
including an additional field weight. A graph with weighted edges is called a network.
Given a graph G = (V E) and a vertex v in V(G) we wish to visit all vertices in G that are reachable from
v (i.e., all vertices that are connected to v). We shall look at two ways of doing this: depth-first search
and breadth-first search. Although these methods work on both directed and undirected graphs the
following discussion assumes that the graphs are undirected.
#define FALSE 0
#define TRUE 1
int visited[MAX_VERTICES];
void dfs(int v)
{
node_pointerw;
visited[v]= TRUE;
printf(“%d”, v);
for (w=graph[v]; w; w=w->link)
if (!visited[w->vertex])
dfs(w->vertex);
}
Consider the graph G of Figure 6.16(a), which is represented by its adjacency lists as in Figure 6.16(b).
If a depthfirst search is initiated from vertex 0 then the vertices of G are visited in the following
order: 0 1 3 7 4 5 2 6.
Since DFS(O) visits all vertices that can be reached from 0 the vertices visited, together with all edges
in G incident to these vertices form a connected component of G.
Analysis or DFS:
When G is represented by its adjacency lists, the vertices w adjacent to v can be determined by
following a chain of links. Since DFS examines each node in the adjacency lists at most once and there
are 2e list nodes the time to complete the search is O(e). If G is represented by its adjacency matrix
then the time to determine all vertices adjacent to v is O(n). Since at most n vertices are visited the
total time is O(n2).
12.3.1 In-order
Algorithm Inorder(tree)
1. Traverse the left subtree, i.e., call Inorder(left subtree)
2. Visit the root.
3. Traverse the right subtree, i.e., call Inorder(right-subtree)
Uses of Inorder
In case of binary search trees (BST), Inorder traversal gives nodes in non-decreasing order. To get
nodes of BST in non-increasing order, a variation of Inorder traversal where Inorder traversal s
reversed can be used.
Example-1: Inorder traversal for the below-given tree is 4 2 5 1 3.
Example-2: Consider input as given below:
Input:
1
/ \
3 2
Output: 3 1 2
12.3.2 Pre-order
Algorithm Preorder(tree)
1. Visit the root.
2. Traverse the left subtree, i.e., call Preorder(left-subtree)
3. Traverse the right subtree, i.e., call Preorder(right-subtree)
Uses of Preorder
Preorder traversal is used to create a copy of the tree.
Preorder traversal is also used to get prefix expression on of an expression tree.
Example-1: Preorder traversal for the below given figure is 1 2 4 5 3.
12.3.3 Post-order
Algorithm Postorder(tree)
1. Traverse the left subtree, i.e., call Postorder(left-subtree)
2. Traverse the right subtree, i.e., call Postorder(right-subtree)
3. Visit the root.
Uses of Postorder
Postorder traversal is used to delete the tree.
Postorder traversal is also useful to get the postfix expression of an expression tree.
12.4 Summary
In this chapter, we have seen what graphs are, what are the various terminologies used in graphs.
We have also seen the graph operations like Breadth First Search (BFS) & Depth First Search (DFS).
We have seen the carious graph traversal methods like Inorder, Preorder and Postorder.
12.6 Questions
1. Draw a directed graph with five vertices and seven edges. Exactly one of the edges
should be a loop, and do not have any multiple edges.
2. Draw an undirected graph with five edges and four vertices. The vertices should be
called v1, v2, v3 and v4--and there must be a path of length three from v1 to v4.
Draw a squiggly line along this path from v1 to v4.
3. Explain Inorder, Preorder and Postorder traversal methods. Writeh sequence for
following given graph.
4. Explain BFS and DFA Algorithms with examples.
5. Draw the directed graph that corresponds to this adjacency matrix:
0 1 2 3
0 True False True False
1 True False False False
2 False False False True
3 True False True False
12.8 References
1. http://www.musaliarcollege.com/e-
Books/CSE/Data%20structures%20algorithms%20and%20applications%20in%20C.pdf
2. https://lpuguidecom.files.wordpress.com/2017/04/fundamentals-of-data-structures-ellis-
horowitz-sartaj-sahni.pdf
3. https://www.geeksforgeeks.org/
Unit 6: Chapter 13
Graph Algorithms
Graph Algorithms
13.0 Objectives
13.1 Introduction
A graph is a common data structure that consists of a finite set of nodes (or vertices) and a set of
edges connecting them.
A pair (x,y) is referred to as an edge, which communicates that the x vertex connects to the y vertex.
In the examples below, circles represent vertices, while lines represent edges.
Graphs are used to solve real-life problems that involve representation of the problem space as a
network. Examples of networks include telephone networks, circuit networks, social networks (like
LinkedIn, Facebook etc.).
For example, a single user in Facebook can be represented as a node (vertex) while their connection
with others can be represented as an edge between nodes.
Each node can be a structure that contains information like user’s id, name, gender, etc.
Types of graphs:
A. Undirected Graph:
In an undirected graph, nodes are connected by edges that are all bidirectional. For example, if an
edge connects node 1 and 2, we can traverse from node 1 to node 2, and from node 2 to 1.
B. Directed Graph
In a directed graph, nodes are connected by directed edges – they only go in one direction. For
example, if an edge connects node 1 and 2, but the arrowhead points towards 2, we can only
traverse from node 1 to node 2 – not in the opposite direction.
A. Adjacency List
To create an Adjacency list, an array of lists is used. The size of the array is equal to the number of
nodes.
A single index, array[i] represents the list of nodes adjacent to the ith node.
B. Adjacency Matrix:
An Adjacency Matrix is a 2D array of size V x V where V is the number of nodes in a graph. A slot
matrix[i][j] = 1 indicates that there is an edge from node i to node j.
A spanning tree is a subset of Graph G, which has all the vertices covered with
minimum possible number of edges. Hence, a spanning tree does not have cycles and
it cannot be disconnected.
By this definition, we can draw a conclusion that every connected and undirected
Graph G has at least one spanning tree. A disconnected graph does not have any
spanning tree, as it cannot be spanned to all its vertices.
Given an undirected and connected graph G=(V, E), a spanning tree of the graph G is
a tree that spans G (that is, it includes every vertex of G) and is a subgraph
of G (every edge in the tree belongs to G).
Following figure shows the original undirected graph and its various possible
spanning trees.
We found three spanning trees off one complete graph. A complete undirected graph
can have maximum nn-2 number of spanning trees, where n is the number of nodes. In
the above addressed example, n is 3, hence 33−2 = 3 spanning trees are possible.
As one graph can have more than one spanning tree. Following are a few properties
of the spanning tree connected to graph G −
4. Removing one edge from the spanning tree will make the graph disconnected,
i.e. the spanning tree is minimally connected.
5. Adding one edge to the spanning tree will create a circuit or loop, i.e. the
spanning tree is maximally acyclic.
Spanning tree is basically used to find a minimum path to connect all nodes in a
graph. Common application of spanning trees are −
Cluster Analysis
13.2.2 Minimum Spanning Tree
The cost of the spanning tree is the sum of the weights of all the edges in the tree.
There can be many spanning trees. Minimum spanning tree is the spanning tree
where the cost is minimum among all the spanning trees. There also can be many
minimum spanning trees.
Minimum spanning tree has direct application in the design of networks. It is used in
algorithms approximating the travelling salesman problem, multi-terminal minimum
cut problem and minimum cost weighted perfect matching. Other practical
applications are:
1. Cluster Analysis
2. Handwriting recognition
3. Image segmentation
There are two famous algorithms for finding the Minimum Spanning Tree:
1. Kruskal’s Algorithm
2. Prim’s Algorithm
Kruskal’s Algorithm builds the spanning tree by adding edges one by one into a growing spanning
tree. Kruskal's algorithm follows greedy approach as in each iteration it finds an edge which has least
weight and add it to the growing spanning tree.
Algorithm Steps:
2. Start adding edges to the MST from the edge with the smallest weight until the edge of the
largest weight.
3. Only add edges which doesn't form a cycle , edges which connect only disconnected
components.
This could be done using DFS which starts from the first vertex, then check if the second vertex is
visited or not. But DFS will make time complexity large as it has an order of O(V+E) where V is the
number of vertices, E is the number of edges. So the best solution is "Disjoint Sets".
DisjointSets:
Disjoint sets are sets whose intersection is the empty set so it means that they don't have any
element in common.
Program:
#include <iostream>
#include <vector>
#include <utility>
#include <algorithm>
using namespace std;
void initialize()
id[i] = i;
int root(int x)
while(id[x] != x)
id[x] = id[id[x]];
x = id[x];
return x;
int p = root(x);
int q = root(y);
id[p] = id[q];
}
int x, y;
x = p[i].second.first;
y = p[i].second.second;
cost = p[i].first;
if(root(x) != root(y))
minimumCost += cost;
union1(x, y);
return minimumCost;
int main()
int x, y;
sort(p, p + edges);
minimumCost = kruskal(p);
cout<<minimumCost<<endl;
return 0;
TimeComplexity:
Time Complexity:
In Kruskal’s algorithm, most time consuming operation is sorting because the total complexity of the
Disjoint-Set operations will be O(E log V), which is the overall Time Complexity of the algorithm.
Prim’s Algorithm also use Greedy approach to find the minimum spanning tree. In Prim’s Algorithm
we grow the spanning tree from a starting position. Unlike an edge in Kruskal's, we add vertex to the
growing spanning tree in Prim's.
Algorithm Steps:
1. Maintain two disjoint sets of vertices. One containing vertices that are in the
growing spanning tree and other that are not in the growing spanning tree.
2. Select the cheapest vertex that is connected to the growing spanning tree and is not
in the growing spanning tree and add it into the growing spanning tree. This can be
done using Priority Queues. Insert the vertices, that are connected to growing
spanning tree, into the Priority Queue.
3. Check for cycles. To do that, mark the nodes which have been already selected and
insert only those nodes in the Priority Queue that are not marked.
In Prim’s Algorithm, we will start with an arbitrary node (it doesn’t matter which one) and mark it. In
each iteration we will mark a new vertex that is adjacent to the one that we have already marked. As
a greedy algorithm, Prim’s algorithm will select the cheapest edge and mark the vertex. So we will
simply choose the edge with weight 1. In the next iteration we have three options, edges with weight
2, 3 and 4. So, we will select the edge with weight 2 and mark the vertex. Now again we have three
options, edges with weight 3, 4 and 5. But we can’t choose edge with weight 3 as it is creating a cycle.
So we will select the edge with weight 4 and we end up with the minimum spanning tree of total cost
7 ( = 1 + 2 +4).
Program:
#include <iostream>
#include <vector>
#include <queue>
#include <functional>
#include <utility>
bool marked[MAX];
vector <PII>adj[MAX];
long longprim(int x)
int y;
long longminimumCost = 0;
PII p;
Q.push(make_pair(0, x));
while(!Q.empty())
p = Q.top();
Q.pop();
x = p.second;
if(marked[x] == true)
continue;
minimumCost += p.first;
marked[x] = true;
y = adj[x][i].second;
if(marked[y] == false)
Q.push(adj[x][i]);
return minimumCost;
int main()
adj[x].push_back(make_pair(weight, y));
adj[y].push_back(make_pair(weight, x));
minimumCost = prim(1);
cout<<minimumCost<<endl;
return 0;
}
Time Complexity:
The time complexity of the Prim’s Algorithm is O((V+E)logV) because each vertex is inserted in the
priority queue only once and insertion in priority queue take logarithmic time.
13.3 Summary
In this chapter, we have studied Minimum Spanning Tree (MST) and its use in various
algorithms like Kruskal’s Algorithm, Prim’s Algorithm. We have also seen all-pair
shortest path algorithms like Floyd Warshall’s Algorithm, Dijkstra’s Algorithm.
13.5 Questions
1. Explain Minimum Spanning Tree (MST). Explain its use in various algorithms which
works on graphs.
2. Explain applications of Graph data structures in day-to-day life?
3. Explain various graph algorithms to find shortest path using Greedy Approach?
4. Find shortest path using Prim’s Algorithm on graph given below:
5. Explain difference between Greedy and Dynamic programming approach. Explain
the examples of graph algorithms in each categories.
1. https://runestone.academy/runestone/books/published/pythonds/Graphs/Dijkstra
sAlgorithm.html
2. https://www.oreilly.com/library/view/data-structures-
and/9781118771334/18_chap14.html
3. https://medium.com/javarevisited/10-best-books-for-data-structure-and-
algorithms-for-beginners-in-java-c-c-and-python-5e3d9b478eb1
4. https://examradar.com/data-structure-graph-mcq-based-online-test-3/
5. https://www.tutorialspoint.com/data_structures_algorithms/data_structures_algor
ithms_online_quiz.htm
13.7 References
1. http://www.nitjsr.ac.in/course_assignment/CS01CS1302A%20Book%20Fundament
als%20of%20Data%20Structure%20(1982)%20by%20Ellis%20Horowitz%20and%20S
artaj%20Sahni.pdf
2. https://www.geeksforgeeks.org/graph-data-structure-and-algorithms/
3. https://www.geeksforgeeks.org/prims-mst-for-adjacency-list-representation-
greedy-algo-6/
4. https://www.geeksforgeeks.org/kruskals-minimum-spanning-tree-algorithm-
greedy-algo-2/
5. http://wccclab.cs.nchu.edu.tw/www/images/Data_Structure_105/chapter6.pdf
Unit 6: Chapter 14
Dynamic Graph Algorithms
14.0 Objectives
10. Analyse working with Kruskal’s Algorithm, Prim’s Algorithm, Warshall’s
Algorithm
11. Explain Shortest Path Algorithm using Dijkstra’s Algorithm
12. Explain difference between single source shortest path and all pair shortest
path algorithms.
13. Explain difference between greedy and dynamic algorithm categories.
14. Analyse the applications of graphs in day-to-day life
14.1 Introduction
A Graph is a network of interconnected items. Each item is known as a node and
the connection between them is known as the edge.
You probably use social media like Facebook, LinkedIn, Instagram, and so on.
Social media is a great example of a graph being used. Social media uses graphs
to store information about each user. Here, every user is a node just like in
Graph. And, if one user, let's call him Jack, becomes friends with another user,
Rose, then there exists an edge (connection) between Jack and Rose. Likewise,
the more we are connected with people, the nodes and edges of the graph keep on
increasing.
Similarly, Google Map is another example where Graphs are used. In the case of
the Google Map, every location is considered as nodes, and roads between
locations are considered as edges. And, when one has to move from one location
to another, the Google Map uses various Graph-based algorithms to find the
shortest path. We will discuss this later in this blog.
Need for Dynamic Graph Algorithms:
The goal of a dynamic graph algorithm is to support query and update operations as
quickly as possible (usually much faster than recomputing from scratch). Graphs
subject to insertions only, or deletions only, but not both. Graphs subject to
intermixed sequences of insertions and deletions.
Majority of the Dynamic Programming problems can be categorized into two types:
1. Optimization problems.
2. Combinatorial problems.
The optimization problems expect you to select a feasible solution, so that the value
of the required function is minimized or maximized. Combinatorial problems expect
you to figure out the number of ways to do something, or the probability of some
event happening.
Every Dynamic Programming problem has a schema to be followed:
Show that the problem can be broken down into optimal sub-problems.
Recursively define the value of the solution by expressing it in terms of
optimal solutions for smaller sub-problems.
Compute the value of the optimal solution in bottom-up fashion.
Construct an optimal solution from the computed information.
Bottom up vs. Top Down:
Bottom Up - I'm going to learn programming. Then, I will start practicing. Then, I
will start taking part in contests. Then, I'll practice even more and try to improve.
After working hard like crazy, I'll be an amazing coder.
Top Down - I will be an amazing coder. How? I will work hard like crazy. How? I'll
practice more and try to improve. How? I'll start taking part in contests. Then? I'll
practicing. How? I'm going to learn programming.
1. It is extremely simple.
2. It is easy to implement.
Algorithm Steps:
1. Initialize the solution matrix same as the input graph matrix as a first step.
2. Then update the solution matrix by considering all vertices as an intermediate
vertex. The idea is to one by one pick all vertices and updates all shortest paths
which include the picked vertex as an intermediate vertex in the shortest path.
When we pick vertex number k as an intermediate vertex, we already have
considered vertices {0, 1, 2, .. k-1} as intermediate vertices. For every pair (i,
j) of the source and destination vertices respectively, there are two possible
cases.
k is not an intermediate vertex in shortest path from i to j. We keep the value
of dist[i][j] as it is.
k is an intermediate vertex in shortest path from i to j. We update the value of
dist[i][j] as dist[i][k] + dist[k][j] if dist[i][j] >dist[i][k] + dist[k][j]
The following figure shows the above optimal substructure property in the all-pairs
shortest path problem.
Program:
#include <bits/stdc++.h>
#define V 4
/* Define Infinite as a large enough value.This value will be used for vertices not
connected to each other */
// Solves the all-pairs shortest path problem using Floyd Warshall algorithm
/* dist[][] will be the output matrix that will finally have the shortest distances
between every pair of vertices */
int dist[V][V], i, j, k;
/* Initialize the solution matrix same as input graph matrix. Or we can say the
initial values of shortest distances are based on shortest paths considering no
intermediate vertex. */
dist[i][j] = graph[i][j];
/* Add all vertices one by one to the set of intermediate vertices. ---> Before
start of an iteration, we have shortest distances between all pairs of vertices such that
the shortest distances consider only the vertices in set {0, 1, 2, .. k-1} as
intermediate vertices. ----> After the end of an iteration, vertex no. k is added to the
set of intermediate vertices and the set becomes {0, 1, 2, .. k} */
// value of dist[i][j]
printSolution(dist);
if (dist[i][j] == INF)
cout<<"INF"<<" ";
else
cout<<dist[i][j]<<" ";
cout<<endl;
// Driver code
int main()
{INF, 0, 3, INF},
};
floydWarshall(graph);
return 0;
}
Time Complexity-
Floyd Warshall Algorithm consists of three loops over all the nodes.
The inner most loop consists of only constant complexity operations.
Hence, the asymptotic complexity of Floyd Warshall algorithm is O(n3).
Here, n is the number of nodes in the given graph.
Example-1:
Consider the following directed weighted graph. Using Floyd Warshall Algorithm,
find the shortest path distance between every pair of vertices.
Step-1:
Remove all the self-loops and parallel edges (keeping the lowest weight edge)
from the graph.
In the given graph, there are neither self-edges nor parallel edges.
Step-2:
Step-3:
So, there will be total 4 matrices of order 4 x 4 in the solution excluding the
initial distance matrix.
The last matrix D4 represents the shortest path distance between every pair of
vertices.
If you are given a directed or undirected weighted graph with n vertices and m edges.
The weights of all edges are non-negative. You are also given a starting vertex s. To
find the lengths of the shortest paths from a starting vertex s to all other vertices, and
output the shortest paths themselves, we use Dijkstra’s Algorithm.
One algorithm for finding the shortest path from a starting node to a target node in a
weighted graph is Dijkstra’s algorithm. The algorithm creates a tree of shortest paths
from the starting vertex, the source, to all other points in the graph.
Suppose a student wants to go from home to school in the shortest possible way. She
knows some roads are heavily congested and difficult to use. In Dijkstra's algorithm,
this means the edge has a large weight--the shortest path tree found by the algorithm
will try to avoid edges with larger weights. If the student looks up directions using a
map service, it is likely they may use Dijkstra's algorithm, as well as others.
Example: Find the shortest path from home to school in the following graph:
The shortest path, which could be found using Dijkstra's algorithm, is
HomeBDFSchool
Algorithm:
Dijkstra’s algorithm finds a shortest path tree from a single source node, by building
a set of nodes that have minimum distance from the source.
dist, an array of distances from the source node ss to each node in the graph,
initialized the following way: dist(s) = 0; and for all other nodes v, dist(v)=∞.
This is done at the beginning because as the algorithm proceeds, the dist from
the source to each node v in the graph will be recalculated and finalized when
the shortest distance to v is found
Q, a queue of all nodes in the graph. At the end of the algorithm's progress, Q
will be empty.
S, an empty set, to indicate which nodes the algorithm has visited. At the end
of the algorithm's run, S will contain all the nodes of the graph.
1. While Q is not empty, pop the node v, that is not already in SS, from Q with
the smallest dist (v). In the first run, source node ss will be chosen because
dist(s) was initialized to 0. In the next run, the next node with the smallest dist
value is chosen.
2. Add node v to S, to indicate that v has been visited
3. Update dist values of adjacent nodes of the current node v as follows: for each
new adjacent node u,
4. if dist (v) + weight(u,v) <dist (u), there is a new minimal distance found for u,
so update dist(u) to the new minimal distance value;
5. otherwise, no updates are made to dist(u).
The algorithm has visited all nodes in the graph and found the smallest distance to
each node. dist now contains the shortest path tree from source s.
Note: The weight of an edge (u,v) is taken from the value associated with (u,v) on the
graph.
Program:
if v ≠ source
dist[v] := infinity // Unknown distance function from source to each node set
// to infinity
v := vertex in Q with min dist[v] // In the first run-through, this vertex is the source
node
remove v from Q
for each neighbor u of v: // where neighbor u has not yet been removed
from Q.
return dist[]
end function
Example:
Let us solve above example using following steps through Dijkstra's algorithm:
4. In World Wide Web, web pages are considered to be the vertices. There is an
edge from a page u to other page v if there is a link of page v on page u. This is
an example of Directed graph. It was the basic idea behind Google Page
Ranking Algorithm.
5. In Operating System, we come across the Resource Allocation Graph where
each process and resources are considered to be vertices. Edges are drawn
from resources to the allocated process, or from requesting process to the
requested resource. If this leads to any formation of a cycle, then a deadlock
will occur.
6. Google Knowledge Graph: knowledge graph has something to do with linking
data and graphs...graph-based representation of knowledge. It still isn't what is
can and can't do yet.
7. Path Optimization Algorithms: Path optimizations are primarily occupied with
finding the best connection that fits some predefined criteria e.g. speed, safety,
fuel etc or set of criteria e.g. prodecures, routes.
In unweighted graphs, the Shortest Path of a graph is the path with the
least number of edges. Breadth First Search (BFS) is used to find the
shortest paths in graphs—we always reach a node from another node in
the fewest number of edges in breadth graph traversals.
Any Spanning Tree is a Minimum Spanning Tree unweighted graphs
using either BFS or Depth First Search.
8. Flight Networks: For flight networks, efficient route optimizations perfectly fit
graph data strutures. Using graph models, airport procedures can be modeled
and optimized efficiently. Computing best connections in flight networks is a
key application of algorithm engineering. In flight network, graph data
strutures are used to compute shortest paths and fuel usage in route planning,
often in a multi-modal context. The vertices in flight networks are places of
departure and destination, airports, aircrafts, cargo weights. The flight
trajectories between airports are the edges. Turns out it's very feasible to fit
graph data strutures in route optimizations because of precompiled full
distance tables between all airports. Entities such as flights can have properties
such as fuel usage, crew pairing which can themselves be more graphs.
9. GPS Navigation Systems: Car navigations also use Shortest Path APIs.
Although this is still a type of a routing API it would differ from the Google
Maps Routing API because it is single source (from one vertex to every other
i.e. it computes locations from where you are to any other location you might
be interested in going.) BFS is used to find all neighbouring locations.
14.4 Summary
In previous chapter, we have studied Minimum Spanning Tree (MST) and its
use in various algorithms like Kruskal’s Algorithm, Prim’s Algorithm. Based
on this we have studied all-pair shortest path algorithms like Floyd Warshall’s
Algorithm, Dijkstra’s Algorithm. We have studied the applications of various
graph algorithms and data structures in day-to-day life.
14.6 Questions
6. Consider the directed graph shown in the figure below. There are multiple
shortest paths between vertices S and T. Which one will be reported by
Dijstra?s shortest path algorithm? Assume that, in any iteration, the shortest
path to a vertex v is updated only when a strictly shorter path to v is
discovered.
7. Dijkstra’s single source shortest path algorithm when run from vertex a in the
below graph, computes the correct shortest path distance to??
12. Find Shortest Path using Dijkstra’s Algorithm for following graph.
6. https://runestone.academy/runestone/books/published/pythonds/Graphs/Dijkst
rasAlgorithm.html
7. https://www.oreilly.com/library/view/data-structures-
and/9781118771334/18_chap14.html
8. https://medium.com/javarevisited/10-best-books-for-data-structure-and-
algorithms-for-beginners-in-java-c-c-and-python-5e3d9b478eb1
9. https://examradar.com/data-structure-graph-mcq-based-online-test-3/
10. https://www.tutorialspoint.com/data_structures_algorithms/data_structures_al
gorithms_online_quiz.htm
11. https://www.mdpi.com/2227-7390/8/9/1595/htm
14.8 References
1.http://www.nitjsr.ac.in/course_assignment/CS01CS1302A%20Book%20Fu
ndamentals%20of%20Data%20Structure%20(1982)%20by%20Ellis%20Horo
witz%20and%20Sartaj%20Sahni.pdf
2.https://www.geeksforgeeks.org/graph-data-structure-and-algorithms/
3.https://www.geeksforgeeks.org/prims-mst-for-adjacency-list-representation-
greedy-algo-6/
4.https://www.geeksforgeeks.org/kruskals-minimum-spanning-tree-algorithm-
greedy-algo-2/
5.http://wccclab.cs.nchu.edu.tw/www/images/Data_Structure_105/chapter6.p
df