KEMBAR78
Daa Notes | PDF | Dynamic Programming | Vertex (Graph Theory)
0% found this document useful (0 votes)
39 views21 pages

Daa Notes

The document discusses various algorithms and concepts related to problem-solving techniques in computer science, including dynamic programming, backtracking, branch and bound, approximation algorithms, sorting algorithms, string matching, and multi-threaded merge sort. It explains the principles, implementations, and complexities associated with these algorithms, emphasizing their applications and suitability for specific problems. Key points include the importance of the principle of optimality for dynamic programming, the efficiency of backtracking for decision problems, and the trade-offs involved in approximation algorithms.

Uploaded by

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

Daa Notes

The document discusses various algorithms and concepts related to problem-solving techniques in computer science, including dynamic programming, backtracking, branch and bound, approximation algorithms, sorting algorithms, string matching, and multi-threaded merge sort. It explains the principles, implementations, and complexities associated with these algorithms, emphasizing their applications and suitability for specific problems. Key points include the importance of the principle of optimality for dynamic programming, the efficiency of backtracking for decision problems, and the trade-offs involved in approximation algorithms.

Uploaded by

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

1 ) Comment on the statement “Problem which does not satisfy the principle

of optimality cannot be solved by dynamic programming”.


The statement "A problem that does not satisfy the principle of optimality
cannot be solved by dynamic programming" is accurate.
Let's break down the principle of optimality and its relevance to dynamic
programming:
Principle of Optimality: This principle states that an optimal solution to a
problem contains optimal solutions to its subproblems. In simpler terms, if you
have an optimal solution to a problem, any sub-solution within that optimal
solution must also be optimal for its corresponding subproblem.
Dynamic Programming and the Principle of Optimality: Dynamic programming
is a technique that exploits the principle of optimality to solve problems
efficiently. It breaks down a problem into smaller, overlapping subproblems,
solves them optimally, and stores the solutions to avoid redundant calculations.
The solutions to these subproblems are then combined to form the optimal
solution to the original problem.
Why the Principle is Crucial: If a problem doesn't adhere to the principle of
optimality, it means that the optimal solution to a subproblem might not
contribute to the optimal solution of the larger problem. In such cases,
dynamic programming cannot guarantee finding the optimal solution.
In essence: The principle of optimality serves as a cornerstone for dynamic
programming. It ensures that by solving smaller subproblems optimally, we can
construct the optimal solution to the larger problem. If a problem violates this
principle, dynamic programming might not be the most suitable approach, and
other techniques like brute force or greedy algorithms might be more
appropriate.

2 ) Assume that a graph with n vertices is represented by an adjacency matrix


G. Let there be “m” number of colours available. Write a recursive
backtracking algorithm to colour all the vertices of the graph. What is the
time complexity of this algorithm?
Recursive Backtracking Algorithm for Graph Coloring
The graph coloring problem involves assigning one of the mm colors to each
vertex of a graph so that no two adjacent vertices have the same color.
Here's the recursive backtracking algorithm:

Algorithm:
def is_safe(vertex, color, graph, colors, n):
"""Check if it is safe to assign 'color' to the given 'vertex'."""
for neighbor in range(n):
if graph[vertex][neighbor] == 1 and colors[neighbor] == color:
return False
return True

def graph_coloring_util(graph, m, colors, vertex, n):


"""Utility function to solve the graph coloring problem using backtracking."""
# Base case: If all vertices are colored, return True
if vertex == n:
return True

# Try all colors for the current vertex


for color in range(1, m + 1):
if is_safe(vertex, color, graph, colors, n):
# Assign the color
colors[vertex] = color

# Recur to assign colors to the rest of the vertices


if graph_coloring_util(graph, m, colors, vertex + 1, n):
return True
# Backtrack: Remove the color assignment
colors[vertex] = 0

# If no color can be assigned, return False


return False

def graph_coloring(graph, m):


"""Main function to solve the graph coloring problem."""
n = len(graph) # Number of vertices
colors = [0] * n # To store color assignments of vertices

if graph_coloring_util(graph, m, colors, 0, n):


return colors # Return the coloring solution
else:
return None # No solution exists

Explanation of the Algorithm:


1. is_safe() Function:
o Ensures that assigning a particular color to a vertex does not
violate the graph's coloring constraints.
2. Recursive Backtracking:
o Tries assigning each of the mm colors to the current vertex.
o Proceeds to the next vertex if the current coloring is valid.
o Backtracks if no valid coloring is found for the current vertex.
3. Base Case:
o The recursion terminates when all vertices have been assigned a
valid color.

Time Complexity:
 Worst-Case Complexity:
o At every vertex, we have mm choices for coloring.
o For nn vertices, the worst-case number of recursive calls is
mnm^n.
o Time Complexity: O(mn)O(m^n).
 Optimizations:
o The use of the is_safe() function prunes invalid color assignments
early, reducing the effective search space.
o Practical performance depends on the graph's structure (e.g.,
density of edges).
 Space Complexity:
o The space required is O(n)O(n), primarily for the recursion stack
and the colors array.

This algorithm efficiently handles smaller graphs or graphs with a moderate


number of colors but may become computationally expensive for large nn or
small mm.

3 ) Compare backtracking with branch and bound method with respect to:
search technique, exploration of state space tree and king of problems that
can be solved.

Feature Backtracking Branch and Bound


Search Depth-First Search DFS or Breadth-First Search
Technique (DFS) (BFS)

Explores the tree until Explores the tree


State Space
a solution is found or systematically, pruning
Tree
a dead-end is branches that cannot lead
Exploration
reached. to an optimal solution.

Decision Problems
Optimization Problems
Problem Type (finding any feasible
(finding the best solution)
solution)

Bounding function
Feasibility function
(estimates the best possible
Key Function (checks if a partial
solution achievable from a
solution is feasible)
node)

Depends on the efficiency


Time Exponential (O(m^n)
of the bounding function
Complexity in worst case)
and problem structure

N-Queens, Sudoku, 8- Knapsack problem,


Applications
Puzzle Traveling Salesman Problem

4 ) Consider set A of five numbers {5,10,15,20.25}. We wish to find the subset


of A such that sum of the numbers in this subject is equal to 30. Solve this
problem to find the first solution using backtracking approach. Show space
tree being created
Step 1:
 Start with an empty subset (current sum=0\text{current sum} =
0current sum=0).
 Decision: Include or exclude 555.
Step 2 (Include 555):
 Subset: [5][5][5], current sum=5\text{current sum} = 5current sum=5.
 Decision: Include or exclude 101010.
Step 3 (Include 101010):
 Subset: [5,10][5, 10][5,10], current sum=15\text{current sum} =
15current sum=15.
 Decision: Include or exclude 151515.
Step 4 (Include 151515):
 Subset: [5,10,15][5, 10, 15][5,10,15], current sum=30\text{current sum}
= 30current sum=30 (solution found).
 Stop recursion.

Space Tree Representation:


Here is the tree for the first solution:
scss
Copy code
[]
/ \
[5] []
/ \ \
[5,10] [5] []
/\ \
[5,10,15] [5,10] []
(Solution)

First Solution:
 Subset: [5,10,15][5, 10, 15][5,10,15]
 Sum: 303030
This solution stops as soon as the first subset with the required sum is found.

5 ) What are approximation algorithms? Based on the approximation ratio,


classify the approximation algorithms.
Approximation Algorithms
Approximation algorithms are algorithms designed to find near-optimal
solutions to optimization problems, particularly NP-hard problems, within a
reasonable amount of time. While they don't guarantee the absolute optimal
solution, they provide a balance between solution quality and computational
efficiency.
Classification Based on Approximation Ratio
The approximation ratio is a measure of how close the solution found by an
approximation algorithm is to the optimal solution. It's typically defined as the
ratio of the cost of the approximate solution to the cost of the optimal solution.
Here's a classification based on the approximation ratio:
1. Constant-Factor Approximation Algorithms
 Definition: These algorithms guarantee a solution that is within a
constant factor of the optimal solution.
 Example: The Vertex Cover problem can be approximated within a factor
of 2.
2. Logarithmic Approximation Algorithms
 Definition: These algorithms guarantee a solution that is within a
logarithmic factor of the optimal solution.
 Example: The Set Cover problem can be approximated within a factor of
ln(n), where n is the number of elements in the universe.
3. Polynomial Approximation Schemes (PAS)
 Definition: These are algorithms that can achieve any desired
approximation ratio, but the running time increases as the desired ratio
improves.
 Example: The Knapsack problem has a fully polynomial-time
approximation scheme (FPTAS).
4. Polynomial-Time Approximation Schemes (PTAS)
 Definition: These are algorithms that can achieve any desired
approximation ratio in polynomial time, but the degree of the
polynomial depends on the desired ratio.
Key Points to Remember:
 NP-hard problems: Many optimization problems, such as the Traveling
Salesman Problem (TSP) and the Knapsack Problem, are NP-hard,
meaning that finding an exact solution in polynomial time is believed to
be impossible.
 Trade-off: Approximation algorithms often involve a trade-off between
the quality of the solution and the time required to find it.
 Real-world applications: Approximation algorithms are widely used in
various fields, including network design, scheduling, and machine
learning.
By understanding the different types of approximation algorithms and their
associated approximation ratios, we can select the most appropriate algorithm
for a given problem and desired level of accuracy.

6 ) Suppose you are working on an embedded system for a medical device


that monitors patient vital signs. The device continuously collects data from
various sensors and needs to process and display this information in real-
time. The data includes timestamps, temperature readings, heart rate, and
blood pressure measurements. Suggest suitable sorting algorithm for this
scenario. Clearly justify your answer with respect to key factors.
Choosing a Sorting Algorithm for a Real-Time Medical Device
Key Factors to Consider:
When selecting a sorting algorithm for a real-time medical device, the following
factors are crucial:
1. Time Complexity: The algorithm should have a low time complexity to
ensure real-time processing of data.
2. Space Complexity: The algorithm should have minimal memory
overhead, especially in resource-constrained embedded systems.
3. Stability: The algorithm should preserve the relative order of equal
elements, which is important for certain medical data analysis tasks.
4. Real-Time Constraints: The algorithm must meet strict deadlines to
ensure timely data processing and display.
Recommended Algorithm: Insertion Sort
Insertion Sort is the most suitable algorithm for this scenario. Here's why:
 Time Complexity:
o Best Case: O(n) - when the input data is already sorted.
o Average Case: O(n^2) - generally efficient for small datasets.
o Worst Case: O(n^2) - when the input data is sorted in reverse
order.
 Space Complexity: O(1) - minimal additional space is required.
 Stability: Insertion sort is a stable algorithm, ensuring that the relative
order of equal elements is preserved.
 Real-Time Suitability:
o Incremental Sorting: Insertion sort can process data incrementally,
making it suitable for real-time applications.
o Adaptability: It can efficiently handle small datasets and can be
optimized for specific use cases.
o Low Overhead: Its simple implementation and low memory
footprint make it ideal for resource-constrained devices.
Implementation Considerations:
 Data Structure: Use a suitable data structure like a linked list or circular
buffer to store incoming data.
 Real-Time Kernel: Implement the sorting algorithm within a real-time
operating system (RTOS) to ensure timely execution.
 Optimization Techniques: Consider techniques like binary insertion to
improve the average-case performance.
 Hardware Acceleration: If possible, leverage hardware acceleration
techniques like FPGA or DSP to further optimize performance.
By carefully considering these factors and choosing the appropriate algorithm,
we can ensure that the medical device can effectively process and display vital
signs data in real-time, providing critical information to healthcare
professionals.

7 ) Write a Rabin-Karp string matching algorithm. Input to the algorithm be:


Original text “t” of length n and pattern text being matched is “p” of length
m. What is the expected runtime and worst-case runtime of this algorithm?
Rabin-Karp String Matching Algorithm
The Rabin-Karp algorithm is a string searching algorithm that uses a rolling
hash function to efficiently find occurrences of a pattern string within a text
string.
Algorithm:
1. Preprocessing:
o Calculate the hash value of the pattern string p.
o Calculate the hash value of the first m characters of the text string
t.
o Calculate a value h to efficiently recompute hash values for the
next window of m characters in the text.
2. Sliding Window:
o Compare the hash value of the current window in the text with
the hash value of the pattern.
 If they match, check the characters individually to avoid
false positives due to hash collisions.
o Slide the window to the next position and update the hash value
of the new window.
o Repeat step 2 until the end of the text is reached.
Python Implementation:
Python
def rabin_karp(text, pattern):
"""
Implements the Rabin-Karp string matching algorithm.

Args:
text: The original text string.
pattern: The pattern string to be searched.

Returns:
A list of indices where the pattern is found in the text.
"""

n = len(text)
m = len(pattern)
d = 256 # Number of characters in the alphabet
q = 101 # A prime number for modulo operation

# Precompute the hash value of the pattern


p_hash = 0
t_hash = 0
h=1

for i in range(m - 1):


h = (h * d) % q
# Calculate the hash value of the pattern and the first m characters of the
text
for i in range(m):
p_hash = (d * p_hash + ord(pattern[i])) % q
t_hash = (d * t_hash + ord(text[i])) % q

# Slide the pattern over the text and compare hash values
matches = []
for i in range(n - m + 1):
if p_hash == t_hash:
# Check characters individually to avoid false positives due to hash
collisions
for j in range(m):
if text[i + j] != pattern[j]:
break
else:
matches.append(i)

# Calculate the hash value of the next window of text


if i < n - m:
t_hash = (d * (t_hash - ord(text[i]) * h) + ord(text[i + m])) % q
if t_hash < 0:
t_hash += q

return matches
Time Complexity:
 Best Case: O(n) - When there are no matches and hash collisions are
minimal.
 Average Case: O(n + m) - Assuming a good hash function and minimal
collisions.
 Worst Case: O(nm) - When there are many false positives due to hash
collisions, and character-by-character comparisons are required for each
potential match.
Space Complexity: O(m) - For storing the pattern and intermediate
calculations.
Key Points:
 The choice of the prime number q and the base d can significantly
impact the performance of the algorithm.
 The algorithm's efficiency relies on the assumption that hash collisions
are rare.
 In the worst case, the algorithm can degenerate to a brute-force search.
By carefully selecting the parameters and implementing the algorithm
efficiently, the Rabin-Karp algorithm can be a powerful tool for string searching.

8 ) Write multi-threaded merge sort algorithm. Briefly discuss how does it


differ from conventional merge sort.
Multi-threaded Merge Sort
Multi-threaded merge sort is a parallel implementation of the merge sort
algorithm that leverages multiple threads to sort data concurrently. This
approach can significantly improve performance, especially for large datasets.
Algorithm:
1. Divide and Conquer:
o Divide the input array into two halves.
2. Thread Creation:
o Create two threads to recursively sort each half.
3. Recursive Sorting:
o Recursively call the merge sort function on each half, creating a
new thread for each recursive call.
4. Merge:
o Once both halves are sorted, merge them into a single sorted
array.
Key Differences from Conventional Merge Sort:
 Parallelism: Multi-threaded merge sort takes advantage of multiple
cores or processors to perform sorting operations simultaneously,
leading to faster execution times.
 Thread Management: The algorithm requires efficient thread
management to coordinate the work of different threads and avoid race
conditions.
 Synchronization: Synchronization mechanisms, such as mutexes or
semaphores, are often used to ensure correct access to shared data
structures and avoid conflicts between threads.
 Overhead: While multi-threaded merge sort can significantly improve
performance, it also introduces overhead due to thread creation, context
switching, and synchronization. This overhead can sometimes outweigh
the benefits of parallelism for small datasets.
Implementation Considerations:
 Thread Pool: Consider using a thread pool to reuse threads and reduce
the overhead of thread creation and destruction.
 Task Scheduling: A good task scheduler can help balance the workload
among threads and optimize performance.
 Synchronization: Use appropriate synchronization mechanisms to ensure
data consistency and avoid race conditions.
 Data Partitioning: The way the input array is divided into smaller
subarrays can impact performance. Consider strategies like balanced
partitioning to ensure even workload distribution.
 Hardware and Software Considerations: The effectiveness of multi-
threaded merge sort depends on the number of cores, memory
bandwidth, and the underlying operating system.
Example (Python):
Python
import threading

def merge_sort(arr):
if len(arr) <= 1:
return

mid = len(arr) // 2
left_arr = arr[:mid]
right_arr = arr[mid:]

# Create two threads to sort left and right halves


t1 = threading.Thread(target=merge_sort, args=(left_arr,))
t2 = threading.Thread(target=merge_sort, args=(right_arr,))

t1.start()
t2.start()

t1.join()
t2.join()

merge(arr, left_arr, right_arr)

def merge(arr, left_arr, right_arr):


# ... (Implementation of merge function remains the same as in sequential
merge sort)
By carefully considering these factors and implementing the algorithm
efficiently, multi-threaded merge sort can significantly improve the
performance of sorting large datasets on multi-core systems.

9 ) Q8) a
Distributed Breadth-First Search on the Graph
The graph is represented as an adjacency matrix:

ABCDE F G

A0 1 00 000

B 1 0 01 100

C 0 0 01 001

D0 1 10 010

E 0 1 00 010

F 0 0 01 100

G0 0 10 000

Distributed BFS Algorithm Explanation


1. Initialization:
o Each node in the graph is treated as a separate "process."
o Communication between processes is achieved through message-
passing.
2. Steps:
o Start from a source node (say A) and broadcast its level (distance
from the source).
o Neighboring nodes update their level if they receive a message for
the first time.
o Each updated node sends messages to its neighbors until all nodes
are visited.
3. Output:
o The algorithm identifies the shortest path (in terms of edges) from
the source to all other nodes.

Stepwise Process for BFS


Step 1: Start at Node A (Level 0)
 Node A sends its level to its neighbors (B).
 Queue: [B]
Step 2: Process Node B (Level 1)
 Node B sends its level to neighbors (A, D, E).
 A is already visited, so ignore.
 Update D and E to Level 2.
 Queue: [D, E]
Step 3: Process Node D (Level 2)
 Node D sends its level to neighbors (B, C, F).
 B is already visited, so ignore.
 Update C and F to Level 3.
 Queue: [E, C, F]
Step 4: Process Node E (Level 2)
 Node E sends its level to neighbors (B, F).
 Both are already visited, so ignore.
 Queue: [C, F]
Step 5: Process Node C (Level 3)
 Node C sends its level to neighbors (D, G).
 D is already visited, so ignore.
 Update G to Level 4.
 Queue: [F, G]
Step 6: Process Node F (Level 3)
 Node F sends its level to neighbors (D, E).
 Both are already visited, so ignore.
 Queue: [G]
Step 7: Process Node G (Level 4)
 Node G sends its level to neighbors (C).
 C is already visited, so ignore.
 Queue: []

Final BFS Levels


 A: Level 0
 B: Level 1
 D: Level 2
 E: Level 2
 C: Level 3
 F: Level 3
 G: Level 4

Space Tree for BFS


The distributed BFS tree structure looks like this:
A (0)
|
B (1)
/ \
D (2) E (2)
/ \ \
C (3) F (3) G (4)

Conclusion
 Distributed BFS processes nodes level by level in a coordinated fashion
using message-passing.
 This ensures the shortest path from the source to all other nodes is
found.

10 ) What do you understand by spawn and sync keywords used in


multithreaded programming? Explain with the help of suitable example.
Spawn and Sync Keywords in Multithreaded Programming
While the specific keywords "spawn" and "sync" aren't standard in languages
like C++, Java, or Python, they are often used conceptually to represent the
core ideas of thread creation and synchronization, respectively.
Spawn:
 Meaning: The "spawn" keyword is used to initiate a new thread of
execution. It creates a new thread of control that runs concurrently with
the main thread or other existing threads.
 Example:
Python
import threading

def worker_thread():
# Code to be executed by the worker thread

# Spawn a new thread


t = threading.Thread(target=worker_thread)
t.start()
Sync:
 Meaning: The "sync" keyword is used to synchronize the execution of
threads, ensuring that certain operations are performed in a specific
order or that threads wait for each other to complete certain tasks. It's
often used in conjunction with synchronization primitives like mutexes,
semaphores, or condition variables.
 Example:
Python
import threading

shared_resource = 0
lock = threading.Lock()

def increment_shared_resource():
global shared_resource
with lock:
shared_resource += 1

# Spawn multiple threads to increment the shared resource


threads = []
for _ in range(10):
t = threading.Thread(target=increment_shared_resource)
threads.append(t)
t.start()
# Wait for all threads to finish
for t in threads:
t.join()

print(shared_resource) # Output will be 10


In this example, the lock ensures that only one thread can access the
shared_resource at a time, preventing race conditions and ensuring that the
final value is correct.
Key Points:
 Spawn is used to create new threads of execution.
 Sync is used to coordinate and synchronize the execution of threads.
 Synchronization mechanisms are crucial for preventing race conditions
and ensuring correct program behavior in multi-threaded environments.
 The specific syntax and semantics of thread creation and synchronization
may vary depending on the programming language and platform.
By understanding these concepts, you can effectively design and implement
multi-threaded applications that take advantage of multiple cores and
processors to improve performance and responsiveness.

You might also like