KEMBAR78
Advanced Data Structures and Algorithms Notes | PDF | Time Complexity | Graph Theory
0% found this document useful (0 votes)
181 views41 pages

Advanced Data Structures and Algorithms Notes

The document provides an overview of advanced data structures and algorithms, focusing on algorithms as a technology, their time and space complexities, and asymptotic analysis. It also covers binary search trees (BST), including their properties, querying, insertion, and deletion processes, along with the introduction of Red-Black Trees and their balancing properties. Efficient algorithms and data structures are emphasized as crucial for optimal software performance and resource management.

Uploaded by

anieshmacse
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
181 views41 pages

Advanced Data Structures and Algorithms Notes

The document provides an overview of advanced data structures and algorithms, focusing on algorithms as a technology, their time and space complexities, and asymptotic analysis. It also covers binary search trees (BST), including their properties, querying, insertion, and deletion processes, along with the introduction of Red-Black Trees and their balancing properties. Efficient algorithms and data structures are emphasized as crucial for optimal software performance and resource management.

Uploaded by

anieshmacse
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 41

ADVANCED DATA STRUCTURES AND ALGORITHMS

UNIT 1
Algorithms – Algorithms as a Technology

Algorithms are well-defined step-by-step instructions designed to perform a specific task or


solve a problem. In the field of computer science, algorithms are the backbone of all
computational systems and technologies. As a technology, algorithms enable computers to
process data, automate tasks, and make decisions efficiently. They are integral to the
development of software systems, artificial intelligence, machine learning models, search
engines, operating systems, data structures, and much more.

The effectiveness of an algorithm determines how well a system performs. Efficient algorithms
enable faster computations, lower resource consumption, and enhanced scalability, allowing
systems to handle more data or complex tasks without performance degradation.

Time and Space Complexity of Algorithms

1. Time Complexity:
o Refers to the amount of time an algorithm takes to run relative to the size of the
input. It is typically expressed as a function of the input size n, and it helps to
evaluate how an algorithm's performance grows as the input size increases.
o Example:
 Linear search has a time complexity of O(n), where n is the number of
elements to search through.
 Merge Sort has a time complexity of O(n log n), making it much more
efficient than bubble sort (O(n²)).
2. Space Complexity:
o Refers to the amount of memory or storage an algorithm uses in relation to the
size of the input. Like time complexity, it is expressed as a function of the input
size n.
o Example:
 A simple iterative algorithm might have O(1) space complexity (constant
space), as it only uses a fixed amount of memory.
 Recursion-based algorithms often have higher space complexity,
especially if they require extra space for storing recursive calls on the call
stack.

Asymptotic Analysis

Asymptotic Analysis is used to describe the performance of an algorithm as the input size grows
towards infinity. It helps to estimate the algorithm's behavior in terms of time and space
complexity without being bogged down by constant factors and low-order terms. This analysis
focuses on the dominant term as the input size increases.
Types of Asymptotic Notation:

1. Big-O Notation (O):


o Describes the upper bound of the time or space complexity of an algorithm. It
provides the worst-case performance.
o Example: For merge sort, the time complexity is O(n log n), which means the
worst-case time complexity is at most proportional to n log n.
2. Omega Notation (Ω):
o Describes the lower bound, or the best-case performance of an algorithm. It
indicates the minimum time required for any input of size n.
o Example: The best-case time complexity of insertion sort is Ω(n), which occurs
when the input is already sorted.
3. Theta Notation (Θ):
o Provides a tight bound, meaning the algorithm's time complexity grows at the
same rate for both the upper and lower bounds. If an algorithm is said to have Θ(n
log n), it means that the algorithm will always take time proportional to n log n
regardless of the input.

Average and Worst-Case Analysis

1. Worst-Case Analysis:
o This approach examines the maximum time or space an algorithm will take to
complete for the most difficult input. Worst-case analysis is crucial for ensuring
that the algorithm performs acceptably under the least favorable conditions.
o Example: In quick sort, the worst-case scenario occurs when the pivot element
divides the array into highly unbalanced parts, leading to a time complexity of
O(n²).
2. Average-Case Analysis:
o Average-case analysis calculates the expected time or space complexity of an
algorithm over all possible inputs, weighted by their likelihood of occurrence. It is
more realistic and practical than worst-case analysis.
o Example: Merge sort has an average-case time complexity of O(n log n), which
is consistent for most input distributions.

Importance of Efficient Algorithms

Efficient algorithms are crucial for the following reasons:

1. Faster Execution:
o Faster algorithms ensure that a program completes its task in the least amount of
time, which is essential in time-sensitive applications such as real-time systems,
gaming, and stock trading.
2. Scalability:
o Efficient algorithms allow systems to scale effectively as the input size grows. For
example, algorithms with a time complexity of O(n log n) scale much better with
larger inputs than algorithms with a time complexity of O(n²).
3. Resource Optimization:
oEfficient algorithms use fewer computational resources such as CPU time and
memory. This is particularly important in resource-constrained environments such
as embedded systems, mobile devices, and cloud computing.
4. Cost-Effectiveness:
o With efficient algorithms, a system can handle larger datasets without requiring
significant hardware upgrades or incurring additional operational costs.

Program Performance Measurement

Program performance measurement is the process of evaluating how efficiently a program or


algorithm performs in terms of execution time and resource usage.

1. Execution Time:
o Measures how long the program takes to run. Profilers and benchmarking tools
can be used to measure execution time.
2. Memory Usage:
o Measures how much memory the algorithm uses during execution. Space
complexity provides insight into this aspect.
3. Throughput:
o Refers to the number of operations a program can perform in a given period, such
as the number of data items processed per second.
4. Scalability:
o Evaluates how well the algorithm performs as the input size increases. Scalability
is essential for handling large datasets and ensuring that performance doesn't
degrade as the system grows.

Recurrences: The Substitution Method and Recursion-Tree Method

1. The Substitution Method:


o The substitution method involves guessing the form of the solution to a recurrence
and then proving it by induction.
o Example: For the recurrence T(n) = 2T(n/2) + O(n), we guess that T(n) =
O(n log n) and prove it by induction.
2. The Recursion-Tree Method:
o In the recursion-tree method, we visualize the recursive calls in a tree structure.
Each level of the tree represents a recursive call, and the work done at each level
is calculated.
o Example: The recurrence for merge sort, T(n) = 2T(n/2) + O(n), is
represented as a tree with n work done at each level and log n levels. The total
work is O(n log n).

Data Structures and Algorithms

Data structures and algorithms are interrelated. The choice of data structure can affect the
efficiency of the algorithm, and vice versa. Different types of data structures are used for specific
algorithmic operations.
1. Arrays:
o Provide constant-time random access but are inefficient for inserting or deleting
elements, especially when dealing with large datasets.
2. Linked Lists:
o Offer efficient insertions and deletions but are less efficient for searching or
accessing elements by index.
3. Stacks and Queues:
o Used to store data in specific orders (LIFO for stacks and FIFO for queues),
making them ideal for specific algorithms like depth-first search (DFS) and
breadth-first search (BFS).
4. Trees:
o Balanced trees like AVL or red-black trees allow fast searching, insertion, and
deletion operations. They are used in databases and file systems.
5. Graphs:
o Represent complex relationships, such as social networks or transport networks,
and support algorithms like Dijkstra's for shortest path calculation.
6. Hash Tables:
o Provide efficient O(1) average-time complexity for lookups, insertions, and
deletions. Used in algorithms that require quick access to data.

Choosing the right data structure enhances the efficiency of an algorithm and helps solve
problems more effectively.

Conclusion

Understanding algorithms and their complexities is essential for building efficient software.
Asymptotic analysis helps in evaluating algorithms' performance as input sizes grow. Time and
space complexities allow us to compare different algorithms and choose the best one for a given
problem. Recurrence relations help in analyzing recursive algorithms, and understanding the
relationship between data structures and algorithms is critical to designing optimal solutions.
Efficient algorithms ensure fast execution, scalability, and optimal use of resources, making
them fundamental to modern computing.

UNIT- 2
Binary Search Trees (BST):
Basics

A Binary Search Tree (BST) is a binary tree where each node has at most two children, and it
satisfies the following properties:

 Left Subtree Property: The left child node's key must be less than the parent node's
key.
 Right Subtree Property: The right child node's key must be greater than the parent
node's key.
 No duplicate keys: Generally, a BST does not allow duplicate values to maintain
uniqueness.
Structure of a Binary Search Tree:

 Each node in a BST has three components:


o Key (or value): The data stored in the node.
o Left pointer: Points to the left child of the node.
o Right pointer: Points to the right child of the node.

Example:

50
/ \
30 70
/ \ / \
20 40 60 80

In the above example:

 50 is the root node.


 Nodes with values less than 50 are on the left subtree (30, 20, 40).
 Nodes with values greater than 50 are on the right subtree (70, 60, 80).

Querying a Binary Search Tree

Querying a BST involves searching for a specific value (key) in the tree.

Steps for Querying (Searching) a BST:

1. Start at the root node.


2. Compare the key with the current node's key.
o If the key matches the current node's key, the search is successful.
o If the key is smaller, move to the left child (i.e., recursively search the left
subtree).
o If the key is larger, move to the right child (i.e., recursively search the right
subtree).
3. Repeat the process until the key is found or a leaf node is reached (if the key is not found
in the tree).

Example of Searching for 40 in the Above Tree:

 Start at 50: 40 is less than 50, so move to the left.


 At 30: 40 is greater than 30, so move to the right.
 At 40: Key matches, search is successful.

Time Complexity of Querying:

 Best case: O(1) (if the root node is the target).


 Average case: O(log n) (balanced tree).
 Worst case: O(n) (degenerate tree, where each node has only one child).
Insertion in a Binary Search Tree

Inserting a new node into a BST involves placing it in the correct position based on its value,
maintaining the BST properties.

Steps for Insertion:

1. Start at the root node.


2. Compare the value to be inserted with the current node's key.
o If the value is smaller, move to the left child.
o If the value is greater, move to the right child.
3. Recursively repeat the process until an empty spot (null pointer) is found.
4. Insert the new node at the empty spot.

Example: Insert 25 into the tree:

1. Start at 50: 25 is less than 50, so move to the left.


2. At 30: 25 is less than 30, so move to the left.
3. At 20: 25 is greater than 20, so move to the right.
4. Insert 25 as the right child of 20.

After insertion, the tree will look like:

50
/ \
30 70
/ \ / \
20 40 60 80
\
25

Time Complexity of Insertion:

 Best case: O(1) (if the tree is empty).


 Average case: O(log n) (for balanced trees).
 Worst case: O(n) (for degenerate trees).

Deletion in a Binary Search Tree

Deleting a node from a BST requires three possible scenarios, depending on the number of
children the node has.

Three Cases for Deletion:

1. Node has no children (a leaf node):


o Simply remove the node.
o Example: To delete 25 from the previous tree (which is a leaf node), just remove
it.
2. Node has one child:
o Remove the node and link its parent to its only child.
Example: If you want to delete 20 (which has one child, 25), remove 20 and link
o
25 to the parent node (which is 30).
3. Node has two children:
o Find the in-order successor (the smallest node in the right subtree) or in-order
predecessor (the largest node in the left subtree) of the node.
o Swap the values of the node to be deleted and the in-order successor (or
predecessor).
o Delete the successor (or predecessor), which will now be a leaf node or have only
one child, so it can be removed using one of the first two cases.
o Example: To delete 30 (which has two children), the in-order successor is 40.
Swap the values of 30 and 40, then delete 40 using the first or second case.

Example of Deletion:

Delete 30 (which has two children):

1. In-order successor of 30 is 40.


2. Swap values of 30 and 40.
3. Delete 40 (which has no children).

After deletion, the tree becomes:

50
/ \
40 70
/ \ / \
20 30 60 80

Time Complexity of Deletion:

 Best case: O(1) (if the node is a leaf).


 Average case: O(log n) (for balanced trees).
 Worst case: O(n) (for degenerate trees).

Summary of BST Operations

 Querying/Search: Efficient in O(log n) on average, but O(n) in the worst case.


 Insertion: Inserting a new node follows a similar process as searching, with a time
complexity of O(log n) for balanced trees and O(n) for degenerate trees.
 Deletion: Three cases — deleting a node with no children, one child, or two children.
Deletion has a time complexity of O(log n) for balanced trees and O(n) for degenerate
trees.

The performance of all BST operations is highly dependent on the tree's structure, making it
crucial to keep the tree balanced to maintain optimal performance. Variants like AVL trees or
Red-Black trees can ensure balance and guarantee O(log n) performance for all operations.

Red-Black Trees:
Overview
A Red-Black Tree is a type of self-balancing binary search tree (BST) with an extra property:
each node has an additional color (either red or black) to ensure that the tree remains balanced
after insertions and deletions. The primary goal of a Red-Black Tree is to maintain the balance
of the tree while ensuring that the operations of search, insertion, and deletion can be performed
in O(log n) time.

Properties of Red-Black Trees

A Red-Black Tree satisfies the following properties, which help in maintaining balance:

1. Node Color: Each node is either red or black.


2. Root Property: The root node is always black.
3. Red Node Property: No red node can have a red child (i.e., there cannot be two
consecutive red nodes on any path from the root to a leaf).
4. Black Height Property: Every path from a node to its descendant NULL nodes must
have the same number of black nodes (called the black height). This ensures that the tree
is balanced in terms of black node distribution.
5. Leaf Property: Every leaf (NULL node) is considered black.
6. Balanced Property: From the root to any leaf, the number of black nodes is the same,
ensuring that no path is significantly longer than others, which prevents the tree from
becoming degenerate (i.e., forming a linked list).

Rotations in Red-Black Trees

Rotations are the key operations used in Red-Black Trees to maintain their balance. There are
two types of rotations:

1. Left Rotation:
o In a left rotation, the right child of a node becomes the new parent of the subtree.
o The left child of the new parent becomes the old node's right child.

Steps for Left Rotation:

o Let x be the node being rotated, and y be x's right child.


o Make y the new root of the subtree, with x as y's left child.
o Update the appropriate pointers of the parent node to reflect the new structure.

Example:

Before Left Rotation:


x
\
y

After Left Rotation:


y
/ \
x ...

2. Right Rotation:
o In a right rotation, the left child of a node becomes the new parent of the subtree.
o The right child of the new parent becomes the old node's left child.
Steps for Right Rotation:

o Let x be the node being rotated, and y be x's left child.


o Make y the new root of the subtree, with x as y's right child.
o Update the appropriate pointers of the parent node to reflect the new structure.

Example:

Before Right Rotation:


x
/
y

After Right Rotation:


y
/ \
... x

Insertion in Red-Black Trees

Insertion in a Red-Black Tree is similar to insertion in a regular binary search tree (BST), but
additional steps are required to maintain the Red-Black Tree properties after the insertion.

Steps for Insertion:

1. Insert the Node: Insert the node as you would in a standard BST, but color the new node
red.
2. Fix Violations: After inserting a red node, the Red-Black Tree properties may be violated
(specifically, two consecutive red nodes or imbalance in the black heights). You will
need to fix these violations using the following techniques:
o Recoloring: Change the color of nodes (typically from red to black, or vice versa)
to fix any violation.
o Rotations: Perform rotations (left or right) to restore balance.
3. Case Handling:
o If the parent node is red, the tree violates the Red-Black property, and fixing is
required.
o There are various cases for fixing:
 Case 1: If the uncle node is red, recolor the parent and the uncle to black,
and the grandparent to red. Then, move up the tree.
 Case 2: If the uncle is black or NULL, perform rotations to restore
balance.
4. Rebalance: After fixing, ensure that the root node remains black.

Time Complexity of Insertion:

 O(log n), as the height of a Red-Black Tree is always logarithmic, ensuring efficient
insertion.

Deletion in Red-Black Trees


Deletion in a Red-Black Tree is more complex than insertion because it may cause the black
height property to be violated. After deleting a node, balancing steps must be performed to
restore the Red-Black Tree properties.

Steps for Deletion:

1. Delete the Node:


o If the node has two children, find its in-order predecessor or successor, swap it
with the node to be deleted, and delete the original node.
o If the node has one or zero children, remove the node and adjust pointers
accordingly.
2. Fix Violations: After the node is deleted, there may be a violation of the Red-Black Tree
properties (specifically, the black height property). To fix this, you need to apply a series
of steps:
o If the node to be deleted is red, simply remove it.
o If the node is black, this will reduce the black height of the tree, and we need to
restore balance.
3. Rebalancing Cases: Similar to insertion, there are several cases to handle:
o Case 1: The sibling is red: Perform a rotation and recoloring to fix the imbalance.
o Case 2: The sibling is black, but its children are both black: Recolor the sibling
to red, and move up the tree.
o Case 3: The sibling is black, and its left child is red: Perform a rotation to fix the
imbalance.
o Case 4: The sibling is black, and its right child is red: Perform a rotation to fix
the imbalance.
4. Rebalance the Tree: After applying the cases and rotations, ensure that the root node
remains black.

Time Complexity of Deletion:

 O(log n), because, like insertion, deletion involves fixing a logarithmic number of nodes
(due to the balanced nature of the tree).

Summary of Red-Black Tree Operations

1. Insertion: Insert a node as in a normal binary search tree (BST), then fix any violations
of the Red-Black properties by performing recoloring and rotations. Time complexity is
O(log n).
2. Deletion: Remove the node and fix the tree's balance by applying recoloring and
rotations. Time complexity is O(log n).
3. Rotations: Left and right rotations are used to maintain balance after insertion and
deletion operations.
4. Balance: The key feature of Red-Black Trees is that they are always balanced, with
logarithmic height, ensuring efficient performance for searching, insertion, and deletion.
5. Key Properties:
o Root is always black.
o No two consecutive red nodes.
o Equal black heights on all paths from root to leaves.
Red-Black Trees are useful in applications where efficient data management is required with
frequent insertions and deletions, such as in priority queues, file systems, and databases.

B-Trees: Overview
A B-tree is a self-balancing search tree that maintains sorted data and allows searching,
insertion, deletion, and sequential access in logarithmic time. It is commonly used in
databases and file systems due to its efficiency in handling large amounts of data stored on disk
or external storage.

Definition of B-Trees

A B-tree of order m (also called an m-ary tree) has the following properties:

1. Node Structure:
o Each node in a B-tree can have up to m-1 keys (sorted in increasing order).
o Each node can have up to m children.
o Internal nodes are used for navigation, while leaf nodes contain the actual data.
o The keys in each node separate the values of its children.
2. Node Properties:

o Non-root Nodes: Each non-root node must have at least ⌈m/2⌉ children.
o Root Node: The root may have fewer than 2 children.

o Key Order: The keys in each node are stored in sorted order.
o Balanced Tree: All leaf nodes are at the same depth (level), ensuring that the
tree is balanced.

Basic Operations on B-Trees

1. Search Operation:
o Start at the root and recursively search for the key in the appropriate child node.
o Each node is traversed by comparing the target key with the node’s keys and
deciding which child to follow.
o Time complexity: O(log n), where n is the number of keys in the tree.
2. Insertion:
o To insert a key into a B-tree:
1. Start from the root and traverse down the tree to the appropriate leaf node.
2. If the leaf node has fewer than m-1 keys, insert the key in sorted order.
3. If the leaf node is full, split it into two nodes. The middle key of the split
is promoted to the parent node.
4. If the parent node is full, recursively split it as well, continuing up the tree.
o Insertion can trigger node splits, and in some cases, splitting can propagate up the
tree.
o Time complexity: O(log n).
3. Deletion:
o To delete a key from a B-tree:
1. Find the key: Perform a search to locate the key to be deleted.
2. Delete from leaf: If the key is in a leaf node, simply remove it.
3. Delete from internal node:
 If the key is in an internal node, replace it with its predecessor
(maximum key in the left subtree) or successor (minimum key in
the right subtree).
 Then, delete the predecessor or successor from the corresponding
subtree, following the appropriate deletion procedure.
4. Rebalance the tree: If a node has fewer than the minimum number of
keys (⌈m/2⌉ - 1), it must borrow a key from a sibling or merge with a
sibling.
 If the sibling is full, perform a rotation (i.e., move a key from the
parent node down).
 If the sibling is not full, merge the node with the sibling.
5. Propagation of deletion: If a node is merged or rotated, the parent may
also require adjustments. This process may propagate recursively.

Deleting a Key from a B-Tree

1. Delete from Leaf Node:


o If the key to be deleted is in a leaf node and the node has more than the minimum
number of keys (⌈m/2⌉ - 1), simply remove the key from the node.
o Time complexity: O(log n).
2. Delete from Internal Node:
o If the key to be deleted is in an internal node:
 Find the predecessor or successor to replace the deleted key. The
predecessor is the maximum key in the left subtree, and the successor is
the minimum key in the right subtree.
 Replace the key with the predecessor or successor and delete the
predecessor/successor from its original location in the tree (which will
either be a leaf or internal node).
 If the predecessor or successor is in a leaf node, the deletion is
straightforward.
 If the predecessor or successor is in an internal node, perform the
appropriate operation to delete it.

o After deleting a key, a node may become underfull (fewer than ⌈m/2⌉ keys). In
3. Rebalancing After Deletion:

this case, rebalancing is needed.


 Borrowing from Siblings: If the sibling node has more than the minimum
number of keys, borrow a key from it.
 Merging Nodes: If the sibling node has the minimum number of keys,
merge the underfull node with the sibling.
 If the parent node loses a key due to borrowing or merging, the process
may propagate up to the root, which may also require adjustments.

Detailed Deletion Process

1. Locate the Node:


o Start by finding the key to delete using the search operation.
2. Key in Leaf Node:
o If the key is in a leaf node and the node has more than the minimum number of
keys, simply remove the key.
3. Key in Internal Node:
o If the key is in an internal node, find the predecessor or successor.
If the predecessor or successor is in a leaf node, replace the key with that
and delete it from the leaf.
 If the predecessor or successor is in an internal node, delete it using the
recursive delete method.

o If a node becomes underfull (contains fewer than ⌈m/2⌉ keys), we perform the
4. Rebalance the Tree:

following actions:
 Case 1: Borrowing from Siblings: If the sibling has more than the
minimum number of keys, borrow a key from it.
 Case 2: Merging Nodes: If the sibling has the minimum number of keys,
merge the underfull node with the sibling. The middle key from the parent
node is pushed down to the new merged node.
 Propagate the borrowing or merging operation up to the parent if needed.
5. Adjust Root:
o If the root node becomes empty after a merge, the child of the root becomes the
new root.

Example of Deletion in a B-Tree

Assume we have a B-tree of order 4 (i.e., m = 4). Each node can have up to 3 keys and 4
children.

1. Initial B-Tree:
2. [10, 20, 30]
3. / | | \
4. [5] [15] [25] [35, 40]
5. Delete Key 15:
o 15 is in the leaf node, and the node has only one key, so delete 15 directly.
o The tree now looks like:
o [10, 20, 30]
o / | | \
o [5] [25] [35, 40]
6. Delete Key 20 (key is in internal node):
o Find the predecessor (key 10 in this case) or successor (key 25 in this case).
o Replace 20 with 25 (successor).
o Now delete 25 from the leaf node.
o The tree becomes:
o [10, 30]
o / | \
o [5] [25] [35, 40]

o If any node becomes underfull (e.g., fewer than ⌈m/2⌉ keys), apply borrowing or
7. Rebalance if Necessary:

merging from siblings to restore the tree's balance.

Time Complexity

 Search: O(log n)
 Insertion: O(log n) (due to potential splitting of nodes)
 Deletion: O(log n) (due to potential merging and rebalancing)
Conclusion

 B-trees are balanced trees optimized for systems where data is stored externally (on
disk).
 Insertion, search, and deletion operations are efficient with O(log n) time complexity.
 Rebalancing is handled by splitting nodes during insertion and merging or borrowing
during deletion.
 B-trees are commonly used in databases and file systems for efficient indexing.

Heap Overview
A heap is a specialized binary tree-based data structure that satisfies the heap property. It can
be either a max-heap (where each parent node has a value greater than or equal to its children)
or a min-heap (where each parent node has a value less than or equal to its children). Heaps are
mainly used for implementing priority queues, where you need to repeatedly access the largest
or smallest element.

Heap Implementation

 Binary Heap: A binary heap is typically represented as a complete binary tree, where
all levels are filled except possibly the last, which is filled from left to right.
 Heap Property:
o Max-Heap Property: For any node i, the value of i is greater than or equal to
the values of its children.
o Min-Heap Property: For any node i, the value of i is less than or equal to the
values of its children.
 Heap Representation:
o A heap can be efficiently represented using an array:
 The root is at index 0.
 The left child of a node at index i is at 2i + 1.
 The right child of a node at index i is at 2i + 2.
 The parent of a node at index i is at (i-1)//2.

Basic Heap Operations

1. Insert:
o Insert a new element at the end of the heap (as the next available spot in the
array).
o Bubble up (or heapify-up) to restore the heap property by comparing the newly
inserted element with its parent and swapping if necessary.

Time Complexity: O(log n)

2. Extract-Max/Extract-Min:
o To remove the root (max or min), replace it with the last element in the heap (the
element at the end of the array).
o Bubble down (or heapify-down) to restore the heap property by comparing the
new root with its children and swapping if necessary.

Time Complexity: O(log n)

3. Peek:
o Return the root element (max or min) without removing it.

Time Complexity: O(1)

4. Delete:
o Find the element to delete, replace it with the last element in the heap, and then
perform heapify-down.

Disjoint Sets

A disjoint set (or union-find) is a data structure that tracks a collection of non-overlapping sets.
It supports two primary operations efficiently:

1. Find:
o Determine which set a particular element is a part of.
2. Union:
o Combine two sets into one.

Disjoint sets are often used in network connectivity, Kruskal's algorithm for finding minimum
spanning trees, and dynamic connectivity problems.

Disjoint Set Operations:

1. Find Operation:
o Path Compression is used to flatten the structure of the tree whenever find is
called, making future queries faster.
2. Union Operation:
o Union by Rank/Size: To keep the tree flat, always attach the smaller tree to the
root of the larger tree.

Time Complexity: Both find and union operations can be done in almost constant time
(amortized O(α(n))), where α(n) is the inverse Ackermann function.

Fibonacci Heaps: Overview

A Fibonacci heap is a more advanced heap data structure that supports mergeable heaps,
decreasing a key, and deleting a node in a more efficient manner compared to binary heaps.

Structure of Fibonacci Heap:

 A Fibonacci heap consists of a collection of heap-ordered trees. These trees are


organized in a circular doubly linked list called a root list.
 Each tree in the heap follows the min-heap property (the key of a node is greater than or
equal to the key of its parent).
 Each node also maintains a degree (the number of children it has), and a mark to help
with efficient merging and key decrease operations.

Fibonacci Heap Operations:

1. Insertion:
o Insertion is done by creating a new node and adding it to the root list.
o The time complexity is O(1) amortized, as no heapifying is required at the time
of insertion.
2. Find Minimum:
o The minimum element can be found by traversing the root list and finding the
node with the smallest key.
o The time complexity is O(1).
3. Union (Merge):
o The union operation is done by simply merging the root lists of two Fibonacci
heaps.
o The time complexity is O(1).
4. Extract Minimum:
o To extract the minimum, the tree containing the minimum root is removed from
the root list, and its children are added to the root list.
o The time complexity is O(log n) amortized, due to the consolidation of trees
after removing the minimum node.
5. Decrease Key:
o The key of a node can be decreased by cutting the node from its parent and adding
it to the root list (if the new key violates the heap property).
o Time Complexity: O(1) amortized.
6. Delete Node:
o To delete a node, its key is decreased to negative infinity, and the extract
minimum operation is performed.
o Time Complexity: O(log n) amortized.

Bounding the Maximum Degree

In a Fibonacci heap, the maximum degree of a tree in the heap is bounded by O(log n), where
n is the number of nodes in the heap.

 Degree of a node: This is the number of children a node has.


 Bounding: Due to the structure of Fibonacci heaps, the maximum degree of any node in
the heap is bounded by log n. This is important because it ensures that the operations
(like extract minimum and decrease key) can be performed efficiently in amortized
O(log n) time.

Mergeable-Heap Operations in Fibonacci Heaps


The mergeable-heap operations in Fibonacci heaps are designed to be very efficient, allowing
for the merging of two heaps in constant time (O(1)). This is a key advantage of Fibonacci
heaps over other heap structures like binary heaps, where the merge operation can be O(n).

 When performing a union of two heaps, the root lists of the two heaps are simply
concatenated, and no further operations are needed. This makes the union operation in
Fibonacci heaps very efficient.

Summary of Fibonacci Heap Operations

Operation Time Complexity (Amortized)


Insertion O(1)
Find Minimum O(1)
Union (Merge) O(1)
Extract Minimum O(log n)
Decrease Key O(1)
Delete Node O(log n)

Conclusion

 Fibonacci Heaps are a powerful and efficient data structure for priority queues,
especially when the operations union, decrease key, and extract minimum need to be
performed frequently.
 They achieve efficient amortized time complexities for these operations by maintaining
a complex, yet efficient, structure of trees.
 Disjoint Sets (Union-Find) are used in situations where you need to track and combine
disjoint sets, with nearly constant time operations due to path compression and union by
rank.

UNIT -3
Elementary Graph Algorithms: Overview

Graph algorithms are used to solve various problems involving graph structures. Graphs can be
represented in multiple ways, and various algorithms can be applied to solve problems like
searching, sorting, and determining connected components. Below is an overview of some
fundamental graph algorithms and their applications.

1. Representations of Graphs

Graphs can be represented in different ways to efficiently perform various graph algorithms. The
two main ways to represent a graph are:

1.1. Adjacency Matrix


 A 2D array is used where the element at position (i, j) is 1 (or the weight of the edge)
if there is an edge from vertex i to vertex j; otherwise, it is 0.
 Advantages: Simple to implement; efficient for checking if an edge exists between two
vertices.
 Disadvantages: Space inefficient for sparse graphs (graphs with few edges).
 Space Complexity: O(V^2), where V is the number of vertices.

1.2. Adjacency List

 Each vertex has a list (or a set) of adjacent vertices (i.e., vertices connected by edges).
 Advantages: More space-efficient for sparse graphs.
 Disadvantages: Not as fast for checking if a particular edge exists between two vertices.
 Space Complexity: O(V + E), where E is the number of edges and V is the number of
vertices.

1.3. Edge List

 An edge list is a list of all edges in the graph. Each edge is represented as a pair (or tuple)
of vertices.
 Advantages: Simple to implement for small graphs.
 Disadvantages: Not suitable for most graph algorithms that need to access the adjacency
information of vertices quickly.
 Space Complexity: O(E).

2. Breadth-First Search (BFS)

Breadth-First Search is an algorithm for traversing or searching tree or graph data structures. It
starts at a source node and explores all the neighboring nodes at the present depth level before
moving on to nodes at the next depth level.

Algorithm:

1. Start from a source node, mark it as visited, and enqueue it in a queue.


2. While the queue is not empty:
o Dequeue a node from the queue.
o Visit all unvisited neighbors of the current node, mark them as visited, and
enqueue them.

Properties:

 Time Complexity: O(V + E), where V is the number of vertices and E is the number of
edges.
 Space Complexity: O(V) due to the queue and visited list.
 Use Cases:
o Finding the shortest path in an unweighted graph.
o Finding the connected components in a graph.

Example:

In the graph:
A -- B -- D
| |
C E

BFS starting from vertex A would visit nodes in the order: A, B, C, D, E.

3. Depth-First Search (DFS)

Depth-First Search is another graph traversal algorithm. It starts at a source node and explores
as far as possible along each branch before backtracking.

Algorithm:

1. Start at the source node, mark it as visited.


2. Recursively visit all unvisited neighbors of the current node.

DFS can be implemented using recursion (which uses the system's call stack) or an explicit stack.

Properties:

 Time Complexity: O(V + E), where V is the number of vertices and E is the number of
edges.
 Space Complexity: O(V) due to the stack (in the case of recursion) or the explicit stack.
 Use Cases:
o Topological sorting (in Directed Acyclic Graphs, or DAGs).
o Finding strongly connected components.
o Pathfinding in a maze (e.g., depth-first traversal).

Example:

In the same graph:

A -- B -- D
| |
C E

DFS starting from A might visit nodes in the order: A, B, D, E, C.

4. Topological Sort

Topological Sort is a linear ordering of the vertices in a Directed Acyclic Graph (DAG) such
that for every directed edge u → v, vertex u comes before v in the ordering.

Algorithm:

1. Perform a DFS traversal of the graph.


2. After finishing the DFS traversal from a node, add it to the topological sort order.
3. If there is a cycle in the graph, topological sorting is not possible.
Properties:

 Time Complexity: O(V + E), where V is the number of vertices and E is the number of
edges.
 Space Complexity: O(V) for storing the topological order and visited list.
 Use Cases:
o Task scheduling (e.g., job dependencies).
o Determining compilation order in programming languages.

Example:

For the graph:

A → B → D
↓ ↑
C → E

A valid topological sort could be: A, C, B, E, D.

5. Strongly Connected Components (SCC)

A Strongly Connected Component in a directed graph is a maximal subgraph where every


vertex is reachable from every other vertex in the subgraph.

Algorithm: Kosaraju's Algorithm

Kosaraju’s algorithm finds strongly connected components (SCCs) in two passes:

1. First Pass (DFS):


o Perform DFS on the original graph to determine the finish time of each vertex.
o Push each vertex onto a stack in the order of its finish time.
2. Second Pass (DFS on Transposed Graph):
o Reverse the direction of all edges (transpose the graph).
o Perform DFS on the transposed graph, and each DFS tree discovered in this pass
represents a strongly connected component.

Properties:

 Time Complexity: O(V + E), where V is the number of vertices and E is the number of
edges.
 Space Complexity: O(V + E) for storing the graph and the stack.
 Use Cases:
o Finding SCCs in a directed graph.
o Identifying clusters in a network or finding cycles in directed graphs.

Example:

For the graph:

A → B → D
↑ ↓
C ← E

The SCCs would be:

 A, B, C (since these nodes form a strongly connected component where each node can
reach every other node in the set).
 D, E (another SCC).

Summary of Algorithms

Time Space
Algorithm Key Use Case
Complexity Complexity
Shortest path in unweighted graphs,
BFS O(V + E) O(V)
connected components
DFS O(V + E) O(V) Topological sort, pathfinding, SCC
Topological
O(V + E) O(V) Task scheduling, compilation order
Sort
Kosaraju’s
O(V + E) O(V + E) Finding strongly connected components
SCC

Conclusion

 Graph Algorithms are essential for many problems in computer science and have
applications in networking, scheduling, pathfinding, and more.
 The algorithms discussed (BFS, DFS, Topological Sort, SCC) are fundamental building
blocks for solving a variety of graph-related problems.
 Understanding graph representations (adjacency matrix, adjacency list) is crucial for
efficiently implementing these algorithms based on the problem requirements.

Minimum Spanning Trees (MST): Overview


A Minimum Spanning Tree (MST) of a connected, undirected graph is a subset of the edges
that connect all the vertices in the graph with the minimum possible total edge weight and
without forming any cycle. In other words, an MST is a tree that spans all the vertices in the
graph, with the smallest sum of edge weights.

Two popular algorithms used to find the MST of a graph are Kruskal's Algorithm and Prim's
Algorithm.

1. Growing a Minimum Spanning Tree

The idea behind growing a Minimum Spanning Tree is to gradually add edges to the tree such
that the total weight of the tree is minimized. There are two main approaches to grow the MST:

 Kruskal's Algorithm: This algorithm adds edges to the MST by considering the edges in
increasing order of their weights, ensuring no cycles are formed.
 Prim's Algorithm: This algorithm starts from an arbitrary vertex and expands the MST
by repeatedly adding the smallest edge connecting a vertex in the tree to a vertex outside
the tree.

Both algorithms guarantee finding the MST, but they differ in how they approach edge selection
and the structure of the tree.

2. Kruskal's Algorithm

Kruskal's algorithm is a greedy algorithm that builds the MST by sorting all the edges in the
graph by their weight and adding the edges one by one to the MST. It ensures that adding an
edge will not form a cycle by using a Disjoint Set (Union-Find) data structure to keep track of
connected components.

Steps of Kruskal's Algorithm:

1. Sort all the edges of the graph in increasing order of their weight.
2. Initialize a Disjoint Set (Union-Find) data structure to track the connected components of
the graph.
3. For each edge in the sorted edge list:
o Check if the two vertices of the edge belong to the same connected component
(using the Find operation).
o If they belong to different components, add the edge to the MST and union the
two components.
4. Stop when you have added V-1 edges to the MST (where V is the number of vertices in
the graph).

Properties:

 Time Complexity: O(E log E), where E is the number of edges (due to sorting the
edges).
 Space Complexity: O(V) (for the disjoint set).
 Use Case: Works well on sparse graphs or when the graph is already sorted by edge
weights.

Example:

For the graph:

10
A -------- B
| \ / |
| \ 5 / |
1| \ / | 2
| \/ |
C -------- D
3

1. Sort the edges: (C, A, 1), (D, B, 2), (C, D, 3), (A, B, 10), (B, D, 5).
2. Add edge (C, A, 1) to MST, then add (D, B, 2), then add (C, D, 3).
3. The MST edges are: (C, A, 1), (D, B, 2), (C, D, 3).
3. Prim's Algorithm

Prim's algorithm is another greedy algorithm that starts with a single vertex and grows the MST
by adding the smallest edge that connects a vertex in the MST to a vertex outside the MST. It is
typically implemented using a min-heap (priority queue) to efficiently select the smallest edge.

Steps of Prim's Algorithm:

1. Start with an arbitrary vertex and mark it as part of the MST.


2. Add all edges from the starting vertex to the priority queue.
3. While the priority queue is not empty:
o Extract the minimum weight edge from the priority queue.
o If the edge connects a vertex inside the MST to a vertex outside the MST, add the
edge to the MST and mark the new vertex as part of the MST.
o Add all edges from the newly added vertex to the priority queue.
4. Stop when all vertices are included in the MST.

Properties:

 Time Complexity:
o O(E log V), where E is the number of edges and V is the number of vertices (using
a priority queue).
 Space Complexity: O(V + E) (for storing the graph and the priority queue).
 Use Case: Works well when the graph is dense, or when it's difficult to sort edges in
advance.

Example:

For the same graph:

10
A -------- B
| \ / |
| \ 5 / |
1| \ / | 2
| \/ |
C -------- D
3

1. Start at vertex A. Add edges (A, C, 1), (A, B, 10), and (A, D, 5) to the priority
queue.
2. Choose edge (A, C, 1) (smallest edge), add vertex C to the MST.
3. Add edges (C, D, 3) and (C, B, 5) to the priority queue.
4. Choose edge (C, D, 3), add vertex D to the MST.
5. Add edge (D, B, 2) to the priority queue.
6. Choose edge (D, B, 2), add vertex B to the MST.
7. The MST edges are: (A, C, 1), (C, D, 3), (D, B, 2).

Comparison of Kruskal's and Prim's Algorithms


Feature Kruskal's Algorithm Prim's Algorithm
Edge-based (consider all edges Vertex-based (expand from a single
Approach
first) vertex)
Time Complexity O(E log E) (due to edge sorting) O(E log V) (due to priority queue)
Space Complexity O(V) (for Union-Find) O(V + E)
Graph Type Efficient for sparse graphs Efficient for dense graphs
Implementation Easier to implement using a More complex due to priority queues
Complexity Union-Find data structure and updating vertex states
Best when edges are already Best for dense graphs or when a
Use Case
sorted or the graph is sparse starting vertex is easily chosen

Conclusion

 Kruskal's Algorithm is ideal for graphs that are sparse or when edge weights are easily
accessible (since it processes edges independently).
 Prim's Algorithm is more efficient for dense graphs and typically when a specific
starting vertex is chosen.
 Both algorithms are greedy algorithms, ensuring the optimal solution for finding the
Minimum Spanning Tree, but their strategies and efficiency differ based on the graph's
structure and the operations involved.

Single-Source Shortest Paths (SSSP): Overview

The problem of Single-Source Shortest Paths (SSSP) involves finding the shortest paths from a
single source vertex to all other vertices in a graph. This is one of the most important problems in
graph theory, and various algorithms exist for solving it, depending on the properties of the
graph (such as the presence of negative edge weights or cycles).

Key algorithms for solving SSSP are:

1. Bellman-Ford Algorithm - Works for graphs with negative edge weights.


2. Dijkstra’s Algorithm - Works for graphs with non-negative edge weights.
3. Single-Source Shortest Paths in Directed Acyclic Graphs (DAGs) - Uses topological
sorting to efficiently find shortest paths.
4. Dynamic Programming Approach - Based on breaking down the problem into smaller
subproblems.

1. Bellman-Ford Algorithm

The Bellman-Ford algorithm is a dynamic programming-based algorithm used to find the


shortest paths from a source vertex to all other vertices in a graph. It can handle graphs with
negative edge weights and also detects negative weight cycles.

Steps of the Bellman-Ford Algorithm:

1. Initialize:
Set the distance to the source vertex as 0 and all other vertices to infinity (∞).
o
Store the predecessor of each vertex (for reconstructing the path) as null or
o
undefined.
2. Relaxation:
o For each vertex, relax all edges. Relaxing an edge means checking if the shortest
known distance to a vertex can be improved by passing through an adjacent
vertex.
o Repeat this process for a total of V-1 times (where V is the number of vertices).
3. Check for Negative Cycles:
o After the V-1 iterations, check if any edge can still be relaxed. If it can, then the
graph contains a negative weight cycle, and no solution exists for shortest paths.

Properties:

 Time Complexity: O(V * E), where V is the number of vertices and E is the number of
edges.
 Space Complexity: O(V) for storing the distances and predecessors.
 Advantages:
o Can handle negative edge weights.
o Detects negative weight cycles.

Example:

Consider the following weighted graph:

A --(4)--> B
| |
(5) (2)
| |
v v
C --(3)--> D

Steps:

1. Initialize the distance to A = 0 and all other vertices to ∞.


2. Relax the edges:
o A → B: Distance to B becomes 4 (0 + 4).
o A → C: Distance to C becomes 5 (0 + 5).
o B → D: Distance to D becomes 6 (4 + 2).
o C → D: Distance to D becomes 5 (5 + 3).

After relaxing all edges for V-1 iterations, the shortest distances are:

 A = 0
 B = 4
 C = 5
 D = 5

2. Single-Source Shortest Paths in Directed Acyclic Graphs (DAGs)

When the graph is a Directed Acyclic Graph (DAG), the shortest path problem can be solved
more efficiently by using topological sorting of the vertices.
Steps:

1. Topological Sort: First, perform a topological sort of the DAG. This ensures that the
vertices are ordered such that for every directed edge u → v, vertex u comes before v.
2. Relax Edges: Once the vertices are sorted, iterate over them in topologically sorted
order, relaxing all outgoing edges of each vertex. Since the vertices are processed in a
topologically sorted order, no backtracking is required.

Properties:

 Time Complexity: O(V + E), where V is the number of vertices and E is the number of
edges. This is because topological sorting takes O(V + E) time, and relaxation is also
done in linear time.
 Space Complexity: O(V + E) for storing the graph and topologically sorted vertices.

Use Cases:

 Finding shortest paths in DAGs.


 Scheduling problems where tasks have dependencies (e.g., project planning).

3. Dijkstra’s Algorithm

Dijkstra’s Algorithm is a greedy algorithm used to find the shortest paths from a single source
vertex to all other vertices in a graph. It works only for graphs with non-negative edge weights.

Steps of Dijkstra’s Algorithm:

1. Initialize:
o Set the distance to the source vertex as 0 and all other vertices to infinity (∞).
o Set the predecessor of each vertex to null.
2. Priority Queue:
o Use a min-heap or priority queue to always select the vertex with the smallest
known distance that has not been visited yet.
3. Relaxation:
o Extract the vertex with the minimum distance from the priority queue.
o For each unvisited neighbor of this vertex, check if the shortest known distance to
the neighbor can be improved. If it can, update the distance and add the neighbor
to the priority queue.
4. Repeat until all vertices are processed.

Properties:

 Time Complexity: O((V + E) log V), where V is the number of vertices and E is the
number of edges. The use of a priority queue makes the extraction of the minimum
distance vertex efficient.
 Space Complexity: O(V) for storing distances and predecessors.
 Advantages:
o Efficient for graphs with non-negative edge weights.
o Can handle dense graphs efficiently when using an appropriate data structure.
Example:

Consider the following graph:

10
A -------- B
| \ / |
| \ 5 / |
1| \ / | 2
| \/ |
C -------- D
3

Steps:

1. Initialize the distance to A = 0, and all other vertices to ∞.


2. Use a priority queue to repeatedly extract the vertex with the minimum distance.
3. Relax the edges and update the distances:
o A → C: 1, A → B: 10, A → D: 5
o C → D: 3 (distance to D becomes 4, because 1 + 3 = 4).
4. The shortest distances are:
o A = 0
o B = 6
o C = 1
o D = 4

4. Dynamic Programming

Dynamic Programming (DP) is a method used for solving optimization problems by breaking
them down into simpler subproblems. The solutions to subproblems are stored to avoid
recomputing them (this is known as memoization).

In the context of Shortest Path Problems, DP can be used to solve problems by building up the
solution incrementally and storing the results of subproblems (e.g., Bellman-Ford is based on
DP).

Dynamic Programming for Shortest Paths:

 Bellman-Ford can be seen as a dynamic programming approach for solving the shortest
path problem. It gradually updates the distances to vertices by considering each edge in
multiple iterations.

Summary of Key Algorithms for SSSP

Edge Time Space


Algorithm Graph Type Use Cases
Weights Complexity Complexity
General (can be
Can have Graphs with
weighted,
Bellman-Ford negative O(V * E) O(V) negative weights,
directed or
weights cycle detection
undirected)
Edge Time Space
Algorithm Graph Type Use Cases
Weights Complexity Complexity
Non- Graphs with non-
Dijkstra’s Directed or O((V + E)
negative O(V) negative weights,
Algorithm Undirected log V)
weights shortest path
Topologically sorted
DAG Shortest Directed Acyclic Any
O(V + E) O(V + E) graphs, scheduling
Paths Graphs (DAG) weights
problems
Can handle General shortest
Dynamic General (e.g., Varies by Varies by
negative path problems (e.g.,
Programming Bellman-Ford) problem problem
weights Bellman-Ford)

Conclusion

 Bellman-Ford is the most versatile, able to handle negative edge weights and detect
negative weight cycles.
 Dijkstra’s Algorithm is optimal for graphs with non-negative edge weights and
performs efficiently using a priority queue.
 DAG Shortest Path algorithms are highly efficient for directed acyclic graphs.
 Dynamic Programming can be applied to a variety of optimization problems, including
shortest paths.

All-Pairs Shortest Paths (APSP): Overview

The All-Pairs Shortest Path (APSP) problem is a classical problem in graph theory where the
goal is to find the shortest paths between every pair of vertices in a graph. This is particularly
useful when you need to determine the shortest path between any two vertices in a graph, not just
from a single source to all other vertices (as in the Single-Source Shortest Path problem).

Two key algorithms used to solve the APSP problem are:

1. Floyd-Warshall Algorithm
2. Matrix Multiplication (used in specific contexts, like in the case of transitive closure)

In this section, we will primarily focus on the Floyd-Warshall Algorithm, which is the most
widely used algorithm for solving the APSP problem.

1. Shortest Paths and Matrix Multiplication

The APSP problem can be approached using matrix multiplication in the context of graph
theory. One way to represent a graph is through an adjacency matrix, where the entry in row i
and column j represents the weight of the edge between vertices i and j. If there is no edge
between two vertices, the entry is usually infinity (∞).

The APSP problem can be interpreted as repeatedly multiplying matrices (where the matrices
represent the shortest paths between vertices) to update the shortest paths between all pairs of
vertices. This idea is leveraged in the Floyd-Warshall Algorithm.
2. The Floyd-Warshall Algorithm

The Floyd-Warshall Algorithm is a dynamic programming-based algorithm used to solve the


All-Pairs Shortest Path (APSP) problem. It is an iterative algorithm that computes the
shortest paths between every pair of vertices in a graph by considering all possible intermediate
vertices one by one and updating the shortest path if a shorter path is found via the intermediate
vertex.

Steps of the Floyd-Warshall Algorithm:

1. Initialization:
o Start with a matrix dist[][] where dist[i][j] is the weight of the edge from
vertex i to vertex j. If there is no edge between i and j, set dist[i][j] = ∞
(except for the diagonal where dist[i][i] = 0).
2. Iterative Process:
o For each vertex k (which will act as an intermediate vertex), update the shortest
distance between every pair of vertices i and j as: dist[i][j]=min⁡(dist[i][j],dist[i]
[k]+dist[k][j])\text{dist}[i][j] = \min(\text{dist}[i][j], \text{dist}[i][k] + \
text{dist}[k][j]) This step ensures that if a path from vertex i to vertex j through
k is shorter than the previously known path, the distance is updated.
3. Repeat for all vertices as intermediate vertices (k = 1 to V).
4. Result:
o After completing the iterations, dist[i][j] will contain the shortest distance
from vertex i to vertex j.

Example:

Consider the following graph with 4 vertices (A, B, C, D) and weighted edges:

10
A -------- B
| \ / |
| \ 5 / |
1| \ / | 2
| \/ |
C -------- D
3

1. Initial Distance Matrix:

From \ To A B C D
A 0 10 5 ∞
B ∞0 ∞2
C 1 ∞ 0 3
D ∞∞ ∞0

2. First Iteration (k = A):


o Consider paths that go through vertex A.
o Update distances:
 dist[C][B] = dist[C][A] + dist[A][B] = 5 + 10 = 15, so update
dist[C][B].
3. Second Iteration (k = B):
o Consider paths that go through vertex B.
o Update distances:
 dist[C][D] = dist[C][B] + dist[B][D] = 15 + 2 = 17, so update
dist[C][D].
4. Third Iteration (k = C):
o Consider paths that go through vertex C.
o Update distances:
 dist[A][D] = dist[A][C] + dist[C][D] = 5 + 3 = 8, so update
dist[A][D].
5. Fourth Iteration (k = D):
o Consider paths that go through vertex D.
o No further updates are needed in this case.

After running the algorithm for all vertices as intermediate vertices, the final shortest distance
matrix will look like:

From \ To A B C D
A 0 10 5 8
B 7 0 12 2
C 1 11 0 3
D 4 14 9 0

3. Properties of the Floyd-Warshall Algorithm

 Time Complexity:
o O(V³), where V is the number of vertices in the graph. This comes from the three
nested loops that iterate over each vertex as an intermediate vertex, and then
pairwise for each source and destination vertex.
 Space Complexity:
o O(V²), as we need to store the distance matrix dist[][], which has V * V
entries.
 Advantages:
o Works for both directed and undirected graphs.
o Can handle negative edge weights (but not negative weight cycles).
o Simple to implement.
 Disadvantages:
o Not suitable for very large graphs because of the cubic time complexity.
o It may not work if the graph contains negative weight cycles (you need to check
for negative cycles after running the algorithm).

4. Applications of the Floyd-Warshall Algorithm

 Finding the shortest path between all pairs of vertices: Useful in routing algorithms
for communication networks, road networks, etc.
 Transitive Closure: The algorithm can be adapted to compute the transitive closure of a
graph, which tells us which vertices are reachable from each other.
 Optimal Path Calculation: In scenarios like transportation planning, logistics, and
networking where all pairs of paths need to be known.
5. Comparison with Other APSP Algorithms

Time Space Negative


Algorithm Use Case
Complexity Complexity Edge Weights
General-purpose APSP,
Floyd-Warshall O(V³) O(V²) Yes small to medium-sized
graphs
Better for sparse graphs,
Johnson’s O(V² log V +
O(V²) Yes especially with negative
Algorithm VE)
weights
Matrix Dependent on Dependent on Used in specific cases like
Yes
Multiplication matrix size matrix size transitive closure

Conclusion

The Floyd-Warshall Algorithm is a powerful, albeit computationally expensive, method for


solving the All-Pairs Shortest Paths problem. It is particularly useful when the problem
involves finding the shortest path between all pairs of vertices in graphs with negative edge
weights (but without negative weight cycles). It provides an easy-to-understand and implement
solution, but its O(V³) time complexity limits its use in very large graphs.

UNIT -4
Dynamic Programming (DP): Overview

Dynamic Programming (DP) is a powerful technique for solving optimization problems by


breaking them down into simpler subproblems. It is particularly useful when a problem can be
divided into overlapping subproblems that share subsubproblems. The idea behind DP is to solve
each subproblem once and store the result in a table (memoization), avoiding redundant
calculations.

DP can be applied to problems like Matrix-Chain Multiplication, Longest Common


Subsequence (LCS), and many other optimization problems.

1. Matrix-Chain Multiplication

The Matrix-Chain Multiplication problem is a classical example of DP. The goal is to find the
most efficient way to multiply a sequence of matrices, which involves determining the optimal
order of multiplication to minimize the total number of scalar multiplications.

Problem Description:

Given a sequence of matrices A1, A2, ..., An, you need to determine the optimal way to
parenthesize the product of these matrices such that the total number of scalar multiplications is
minimized. The order in which the matrices are multiplied affects the total number of
multiplications.
Steps for Solving Matrix-Chain Multiplication:

1. Define Subproblems:
o Let M[i, j] represent the minimum number of scalar multiplications needed to
compute the product of matrices from Ai to Aj.
o The optimal cost M[i, j] can be computed as: M[i,j]=min⁡k(M[i,k]+M[k+1,j]
+pi−1⋅pk⋅pj)M[i, j] = \min_{k} \left(M[i, k] + M[k+1, j] + p_{i-1} \cdot p_k \cdot
p_j \right) where p[i] represents the dimensions of the matrices (i.e., matrix Ai
has dimensions p[i-1] × p[i]).
2. Fill the DP Table:
o Compute values for M[i, j] using the recurrence relation, for all i < j.
o The solution is stored in M[1, n], which gives the minimum number of scalar
multiplications for multiplying matrices A1 to An.
3. Time Complexity:
o The time complexity of the Matrix-Chain Multiplication problem is O(n³), where
n is the number of matrices.

Example:

Consider the following sequence of matrices and their dimensions:

 A1: 10 x 20
 A2: 20 x 30
 A3: 30 x 40
 A4: 40 x 30

You want to find the optimal parenthesization of these matrices to minimize the number of scalar
multiplications.

1. Matrix Dimensions Array: p = [10, 20, 30, 40, 30]


2. Recurrence Relation:
o Calculate the minimum cost for multiplying matrices from A1 to A2, from A2 to
A3, and so on, recursively applying the formula.
3. Optimal Parenthesization: The DP table will store the minimum multiplication cost for
each subproblem, and the optimal parenthesization order can be derived.

2. Elements of Dynamic Programming

Dynamic Programming can be broken down into several core elements or principles:

1. Overlapping Subproblems:
o A problem can be broken down into smaller subproblems that are solved multiple
times. DP avoids recalculating solutions to the same subproblems by storing the
results.
2. Optimal Substructure:
o A problem exhibits optimal substructure if an optimal solution to the problem can
be constructed from optimal solutions to its subproblems. This is key to the DP
approach.
3. Memoization and Tabulation:
o Memoization: This is a top-down approach where subproblems are solved
recursively and stored in a table (typically a hash table or array) to avoid
recomputing the solution.
o Tabulation: This is a bottom-up approach where the problem is solved
iteratively, starting with the smallest subproblems and building up to the solution.
4. State and Transition:
o State: A description of a subproblem.
o Transition: The recursive formula that relates one subproblem to another.
o Example: For Matrix Chain Multiplication, the state is defined by the range of
matrices being multiplied (i, j), and the transition is the cost formula for
multiplying matrices.

3. Longest Common Subsequence (LCS)

The Longest Common Subsequence (LCS) problem is another classic problem solved using
Dynamic Programming. Given two sequences (strings, arrays, etc.), the goal is to find the longest
subsequence that is common to both sequences.

Problem Description:

Given two sequences X = x1, x2, ..., xm and Y = y1, y2, ..., yn, the objective is to
find the length of the longest subsequence that appears in both sequences, while maintaining the
relative order of elements.

Steps for Solving LCS Using DP:

1. Define Subproblems:
o Let LCS[i, j] represent the length of the longest common subsequence of the
first i elements of X and the first j elements of Y.
2. Recurrence Relation:
o If Xi == Yj, then LCS[i, j] = LCS[i-1, j-1] + 1 because the characters
match and can be part of the LCS.
o Otherwise, LCS[i, j] = max(LCS[i-1, j], LCS[i, j-1]) because either we
exclude the current character of X or Y.
3. Base Cases:
o LCS[0, j] = 0 for all j, because the LCS of an empty string with any string is 0.
o LCS[i, 0] = 0 for all i, for the same reason.
4. Fill the DP Table:
o Build up the DP table using the recurrence relation, starting from LCS[0, 0] and
filling out the table for increasing i and j.
5. Time Complexity:
o The time complexity of the LCS problem is O(m * n), where m is the length of the
first sequence and n is the length of the second sequence.

Example:

Given two strings:

 X = "AGGTAB"
 Y = "GXTXAYB"
1. LCS Matrix (dimensions are 7 x 7):

GXTXAYB
00 0 0 0 0 0 0
A 00 0 0 0 1 1 1
G 11 1 1 1 1 1 1
G 11 1 1 1 1 1 1
T 11 1 2 2 2 2 2
A 11 1 2 2 3 3 3
B 11 1 2 2 3 3 4

The length of the LCS is LCS[6, 7] = 4, corresponding to the subsequence "GTAB".

Summary of Key Concepts in Dynamic Programming

Concept Explanation
Matrix-Chain Optimizes the order of matrix multiplications to minimize scalar
Multiplication operations.
Longest Common Finds the longest subsequence common to two sequences, used in
Subsequence (LCS) text comparison and bioinformatics.
Top-down approach to store results of subproblems and reuse
Memoization
them.
Bottom-up approach to iteratively solve subproblems starting from
Tabulation
the smallest ones.
Optimal solutions can be built from optimal solutions of
Optimal Substructure
subproblems.
The problem can be broken into smaller subproblems that are
Overlapping Subproblems
solved multiple times.

Conclusion

Dynamic Programming is a versatile and efficient technique for solving problems that involve
optimizing a solution based on smaller overlapping subproblems. Both Matrix-Chain
Multiplication and Longest Common Subsequence are classic examples of DP applications
that use recurrence relations and memoization/tabulation to find optimal solutions. These
techniques are widely used in algorithm design, particularly in fields like bioinformatics, text
comparison, and computational optimization.

Greedy Algorithms: Overview

A Greedy Algorithm is a simple and intuitive approach to solving optimization problems. It


works by making a sequence of choices that are locally optimal (i.e., best at the current step)
with the hope that these local optimizations lead to a globally optimal solution. Greedy
algorithms do not always produce an optimal solution, but they are efficient and provide good
solutions for many problems.

The key components of a Greedy algorithm are:


1. Greedy Choice Property: A globally optimal solution can be arrived at by selecting a
locally optimal solution at each step.
2. Optimal Substructure: A problem exhibits optimal substructure if an optimal solution to
the problem can be constructed from optimal solutions to its subproblems.

1. Elements of the Greedy Strategy

The Greedy strategy involves the following steps:

1. Problem Definition:
o Define the problem and understand the objective (what needs to be optimized).
2. Greedy Criterion:
o Identify the greedy choice that needs to be made at each step. This is usually the
"best" option in the short term or for the current subproblem.
3. Feasibility:
o Ensure that the greedy choice does not violate any constraints or the feasibility of
the solution.
4. Solution Construction:
o Make the greedy choice and move on to the next step, iterating until a solution is
formed.
5. Termination:
o The algorithm stops when all the elements have been processed and the final
solution has been constructed.

2. Activity-Selection Problem

The Activity-Selection Problem is a classic example where the greedy algorithm is applied. The
problem involves selecting the maximum number of activities that can be performed by a single
person, given that each activity has a start and finish time, and no two activities can overlap.

Problem Description:

You are given n activities, each with a start time and finish time. The objective is to select the
maximum number of activities that can be performed by a person, assuming that a person can
only work on one activity at a time, and the activities must not overlap.

Greedy Approach to Solve:

1. Sort the activities by their finish times in ascending order.


2. Select the first activity (it finishes earliest).
3. For each subsequent activity, select it if its start time is greater than or equal to the
finish time of the last selected activity.
4. Continue until all activities have been considered.

Steps:

1. Sort activities by finish time f[i] where i represents the activity index.
2. Initialize last_finish_time = 0 (no activity has been selected yet).
3. Iterate through the sorted list:
o If the start time of the current activity is greater than or equal to
last_finish_time, select it.
o Update last_finish_time to the finish time of the selected activity.

Example:

Given the activities with start times and finish times:

Activity Start Time Finish Time


A 1 3
B 2 5
C 4 7
D 6 8
E 5 9
F 8 10

Greedy Selection:

1. Sort by finish time: [(A: 1,3), (B: 2,5), (C: 4,7), (E: 5,9), (D: 6,8), (F:
8,10)].
2. Select A (finish time 3).
3. Select C (start time 4 >= 3).
4. Select F (start time 8 >= 7).

The selected activities are A, C, and F.

Time Complexity:

 Sorting takes O(n log n).


 Selecting activities takes O(n). Thus, the overall time complexity is O(n log n).

3. Huffman Coding

Huffman Coding is a widely used greedy algorithm for lossless data compression. It is used to
encode data in a way that minimizes the total number of bits required to represent the data.
Huffman coding is particularly useful in applications like file compression (e.g., ZIP files, MP3
encoding) and image encoding.

Problem Description:

Given a set of characters and their frequencies of occurrence, construct an optimal prefix-free
binary code such that:

 Each character is represented by a binary code of variable length.


 The more frequent characters have shorter codes, and the less frequent characters have
longer codes.

Steps of Huffman Coding:


1. Step 1: Create a Min-Heap:
o Each character is treated as a leaf node with its frequency as the key. Create a
min-heap of nodes, where each node contains a character and its frequency.
2. Step 2: Build the Huffman Tree:
o While there is more than one node in the heap:
 Remove the two nodes with the lowest frequencies (these are the "greedy"
choices).
 Create a new node with these two nodes as children, and set its frequency
as the sum of the frequencies of the two nodes.
 Insert the new node back into the heap.
3. Step 3: Generate Codes:
o Once the tree is built, traverse the tree to assign binary codes:
 Assign a 0 for a left edge and a 1 for a right edge.
 The binary code for each character is determined by the path from the root
to the character in the tree.

Example:

Consider the following characters and their frequencies:

Character Frequency
A 5
B 9
C 12
D 13
E 16
F 45

1. Min-Heap: Initially, the min-heap contains the nodes (characters and frequencies):

[(A: 5), (B: 9), (C: 12), (D: 13), (E: 16), (F: 45)]

2. Huffman Tree Construction:


o Combine A and B into a new node AB: 14.
o Combine C and D into CD: 25.
o Combine AB: 14 and E: 16 into ABE: 30.
o Combine CD: 25 and F: 45 into CDF: 70.
o Finally, combine ABE: 30 and CDF: 70 into ABE-CDF: 100, the root of the tree.
3. Huffman Codes:
o A: 000
o B: 001
o C: 01
o D: 10
o E: 11
o F: 1

The Huffman code for each character is now available, and the total number of bits used is
minimized.

Time Complexity:

 Building the min-heap takes O(n log n), where n is the number of characters.
 Constructing the tree also takes O(n log n). Thus, the overall time complexity is O(n log
n).

Summary of Key Concepts in Greedy Algorithms

Concept Explanation
Greedy Choice A globally optimal solution can be arrived at by selecting a locally optimal
Property solution at each step.
Optimal A problem has optimal substructure if an optimal solution to the problem
Substructure can be constructed from optimal solutions to subproblems.
Activity-Selection Select the maximum number of non-overlapping activities by selecting the
Problem earliest finishing ones.
A greedy algorithm used for optimal data compression by assigning shorter
Huffman Coding
codes to more frequent characters.

Conclusion

Greedy algorithms are a class of algorithms that make locally optimal choices at each step in the
hope that these choices lead to a globally optimal solution. The Activity-Selection Problem and
Huffman Coding are two classic examples of problems that can be effectively solved using the
greedy strategy. Greedy algorithms are efficient, with time complexities of O(n log n) for both,
but they do not always guarantee an optimal solution for every problem.

UNIT -5
NP-Completeness: Key Concepts and Explanation

NP-Completeness is a critical topic in computational theory, particularly in the study of


computational complexity and decision-making. Here's a breakdown of the core concepts:

1. Polynomial Time (P)

 Polynomial Time refers to algorithms that can solve a problem in time proportional to a
polynomial function of the size of the input.
 An algorithm is considered to run in polynomial time if its time complexity can be
expressed as O(n^k), where n is the size of the input, and k is a constant exponent.
 Problems that can be solved in polynomial time are said to belong to the class P
(Polynomial time).

Example:

 Sorting an array of n elements using Merge Sort takes O(n log n) time, which is
polynomial time.
2. Polynomial-Time Verification (NP)

 NP (Nondeterministic Polynomial time) is the class of problems for which a proposed


solution can be verified in polynomial time.
 A problem is in NP if, given a candidate solution, we can verify whether it is a valid
solution in polynomial time.

Example:

 Consider the Travelling Salesman Problem (TSP). If someone gives you a path, you
can check if it’s valid (i.e., whether it’s a tour that visits each city once and returns to the
start) in polynomial time.

In contrast to problems in P, NP problems do not necessarily have polynomial-time solutions,


but we can verify whether a given solution is correct quickly (in polynomial time).

3. NP-Completeness

A problem is NP-Complete if it satisfies two main conditions:

1. The problem is in NP: The problem itself is verifiable in polynomial time.


2. Every problem in NP can be reduced to it in polynomial time: This means that any
other problem in NP can be transformed into an instance of the NP-Complete problem in
polynomial time.

In simpler terms, an NP-Complete problem is the "hardest" problem in NP, and solving it
efficiently would allow us to solve every problem in NP efficiently (in polynomial time).

4. NP-Completeness and Reducibility

Reducibility is a key concept in NP-Completeness. If you can reduce one problem to another in
polynomial time, it means that solving the second problem can also help solve the first one.

Polynomial-Time Reductions:

 A problem A is said to be reducible to a problem B if you can transform instances of A


into instances of B in polynomial time.
 If problem A can be reduced to problem B, and problem B is NP-Complete, then problem
A is also NP-Complete.

Example:

 The 3-SAT problem is known to be NP-Complete. If we can show that any other NP
problem (like Clique, Hamiltonian Path, etc.) can be reduced to the 3-SAT problem,
then 3-SAT is NP-Complete, and so are the other problems.
5. NP-Completeness Proofs

To prove that a problem is NP-Complete, we typically perform the following steps:

1. Prove that the problem is in NP: We show that the problem can be verified in
polynomial time.
2. Choose an already known NP-Complete problem: Select an NP-Complete problem,
such as 3-SAT or Clique.
3. Perform a polynomial-time reduction: Show that the selected NP-Complete problem
can be transformed into the new problem in polynomial time. This demonstrates that if
we could solve the new problem in polynomial time, we could solve any NP problem in
polynomial time.

This reduction typically involves constructing an algorithm that transforms instances of


the known NP-Complete problem into instances of the new problem, such that a solution
to the new problem corresponds to a solution to the original problem.

6. NP-Complete Problems

NP-Complete problems are problems for which no known polynomial-time algorithms exist, but
if we could find a polynomial-time algorithm for any NP-Complete problem, we would have a
polynomial-time algorithm for all NP problems. The following are some well-known NP-
Complete problems:

1. 3-SAT Problem: Given a Boolean formula in conjunctive normal form (CNF) with
exactly three literals per clause, determine if there exists an assignment of true/false
values to the variables that satisfies the formula.
2. Clique Problem: Given a graph and an integer k, determine if there is a clique of size k
(a subset of k nodes such that every pair of nodes is connected by an edge).
3. Knapsack Problem: Given a set of items, each with a weight and a value, determine the
most valuable subset of items that fit within a given weight limit.
4. Traveling Salesman Problem (TSP): Given a set of cities and distances between them,
determine the shortest possible route that visits every city exactly once and returns to the
origin.
5. Hamiltonian Path Problem: Given a graph, determine if there exists a path that visits
every vertex exactly once.

7. Relationship Between P, NP, and NP-Complete

 P (Polynomial Time): The class of problems that can be solved in polynomial time.
 NP (Nondeterministic Polynomial Time): The class of problems for which a solution
can be verified in polynomial time.
 NP-Complete: A subset of NP problems that are at least as hard as any other problem in
NP. If any NP-Complete problem can be solved in polynomial time, then every problem
in NP can also be solved in polynomial time.

Key Question: P = NP?


 One of the most famous unsolved problems in computer science is whether P = NP. This
asks if every problem whose solution can be verified in polynomial time (NP) can also be
solved in polynomial time (P). If P = NP, then problems like TSP, Knapsack, and others
that are NP-Complete would have polynomial-time solutions.
 However, it is widely believed that P ≠ NP, meaning there are problems in NP that are
inherently harder to solve than to verify.

8. Example: Proving NP-Completeness

Problem: Prove that the 3-SAT problem is NP-Complete.

1. Step 1: Show that 3-SAT is in NP:


o A solution to the 3-SAT problem is a truth assignment to the variables, and we
can verify whether this assignment satisfies the formula in polynomial time.
2. Step 2: Choose a known NP-Complete problem:
o The 3-SAT problem is already known to be NP-Complete.
3. Step 3: Perform a polynomial-time reduction:
o Prove that any other NP problem (like Clique, Hamiltonian Path, etc.) can be
reduced to the 3-SAT problem in polynomial time. This shows that if 3-SAT can
be solved in polynomial time, then every NP problem can also be solved in
polynomial time.

Summary Table

Concept Explanation
Polynomial Time (P) Problems solvable in polynomial time (O(n^k)), efficient algorithms.
Polynomial-Time Problems where a proposed solution can be verified in polynomial
Verification (NP) time.
NP-Complete Problems in NP that are at least as hard as every other NP problem.
Polynomial-Time
Transforming one problem into another in polynomial time.
Reduction
Proving that a problem is NP-Complete by showing it’s in NP and can
NP-Completeness Proof
be reduced from another NP-Complete problem.

Conclusion

NP-Completeness provides a framework for understanding the difficulty of computational


problems. By proving that a problem is NP-Complete, we can assess how hard the problem is in
relation to other problems in NP. Understanding NP-Completeness is crucial for fields like
optimization, cryptography, and theoretical computer science.

You might also like