Greedy Algorithm
Knapsack Fractional
An efficient solution is to use Greedy approach. The basic idea of the greedy approach is to
calculate the ratio value/weight for each item and sort the item on basis of this ratio. Then take
the item with the highest ratio and add them until we can’t add the next item as a whole and at
the end add the next item as much as we can. Which will always be the optimal solution to this
problem.
Knapsack 0/1
profit[0:n-1] contains the profit of item;
weight[0:n-1] contains the weight of item;
int capacity;
int i,n;
solution <- 0
//sort weight in ascending order
while i < n do
if weight[i] <= capacity then
solution += profit[i];
capacity -= weight[i];
end
i++
end
end
Activity Selection Problem
Sort the activities according to their finishing time
Select the first activity from the sorted array and print it.
Do the following for the remaining activities in the sorted array.
Example 1 : Consider the following 3 activities sorted by
by finish time.
start[] = {10, 12, 20};
finish[] = {20, 25, 30};
A person can perform at most two activities. The
maximum set of activities that can be executed
is {0, 2} [ These are indexes in start[] and
finish[] ]
def printMaxActivities(s , f ):
n = len(f)
print "The following activities are selected"
# The first activity is always selected
i = 0
print i,
# Consider rest of the activities
for j in xrange(n):
# If this activity has start time greater than
# or equal to the finish time of previously
# selected activity, then select it
if s[j] >= f[i]:
print j,
i = j
# Driver program to test above function
s = [1 , 3 , 0 , 5 , 8 , 5]
f = [2 , 4 , 6 , 7 , 9 , 9]
printMaxActivities(s , f)
Kruskal’s Minimum Spanning Tree Algorithm
1. Sort all the edges in non-decreasing order of their weight.
2. Pick the smallest edge. Check if it forms a cycle with the spanning tree formed so
far. If cycle is not formed, include this edge. Else, discard it.
3. Repeat step#2 until there are (V-1) edges in the spanning tree.
Prim’s MST for Adjacency List Representation
1) Create a Min Heap of size V where V is the number of vertices in the given graph. Every
node of min heap contains vertex number and key value of the vertex.
2) Initialize Min Heap with first vertex as root (the key value assigned to first vertex is 0).
The key value assigned to all other vertices is INF (infinite).
3) While Min Heap is not empty, do following
…..a) Extract the min value node from Min Heap. Let the extracted vertex be u.
…..b) For every adjacent vertex v of u, check if v is in Min Heap (not yet included in
MST). If v is in Min Heap and its key value is more than weight of u-v, then update the
key value of v as weight of u-v.
Dijkstra’s Shortest path algorithm
Dijkstra’s Algorithm for Adjacency List Representation
Job Sequencing Problem
Given an array of jobs where every job has a deadline and associated profit if the job is finished
before the deadline. It is also given that every job takes a single unit of time, so the minimum
possible deadline for any job is 1. How to maximize total profit if only one job can be scheduled
at a time.
1) Sort all jobs in decreasing order of profit.
2) Iterate on jobs in decreasing order of profit.For each job , do the following :
1. For each job find an empty time slot from deadline to 0. If found empty slot put the job
in the slot and mark this slot filled.
def printJobScheduling(arr, t):
# length of array
n = len(arr)
# Sort all jobs according to
# decreasing order of profit
for i in range(n):
for j in range(n - 1 - i):
if arr[j][2] < arr[j + 1][2]:
arr[j], arr[j + 1] = arr[j + 1], arr[j]
# To keep track of free time slots
result = [False] * t
# To store result (Sequence of jobs)
job = ['-1'] * t
# Iterate through all given jobs
for i in range(len(arr)):
# Find a free slot for this job
# (Note that we start from the
# last possible slot)
for j in range(min(t - 1, arr[i][1] - 1), -1, -1):
# Free slot found
if result[j] is False:
result[j] = True
job[j] = arr[i][0]
break
# print the sequence
print(job)
# Driver COde
arr = [['a', 2, 100], # Job Array
['b', 1, 19],
['c', 2, 27],
['d', 1, 25],
['e', 3, 15]]
print("Following is maximum profit sequence of jobs")
Greedy Algorithm to find Minimum number of coins
Algorithm:
1. Sort the array of coins in decreasing order.
2. Initialize result as empty.
3. Find the largest denomination that is smaller than current amount.
4. Add found denomination to result. Subtract value of found denomination from amount.
5. If amount becomes 0, then print result.
6. Else repeat steps 3 and 4 for new value of V.
def findMin(V):
# All denominations of Indian Currency
deno = [1, 2, 5, 10, 20, 50,
100, 500, 1000]
n = len(deno)
# Initialize Result
ans = []
# Traverse through all denomination
i = n - 1
while(i >= 0):
# Find denominations
while (V >= deno[i]):
V -= deno[i]
ans.append(deno[i])
i -= 1
# Print result
for i in range(len(ans)):
print(ans[i], end = " ")
K center Problem
Minimum Number of Platforms Required for Railway/Bus Station
Dynamic Programming
Longest Repeated Subsequence
// Pseudo code to find longest repeated
// subsequence using the dp[][] table filled
// above.
// Initialize result
string res = "";
// Traverse dp[][] from bottom right
i = n, j = n;
while (i > 0 && j > 0)
{
// If this cell is same as diagonally
// adjacent cell just above it, then
// same characters are present at
// str[i-1] and str[j-1]. Append any
// of them to result.
if (dp[i][j] == dp[i-1][j-1] + 1)
{
res = res + str[i-1];
i--;
j--;
}
// Otherwise we move to the side
// that that gave us maximum result
else if (dp[i][j] == dp[i-1][j])
i--;
else
j--;
}
// Since we traverse dp[][] from bottom,
// we get result in reverse order.
reverse(res.begin(), res.end());
return res;
Python
def longestRepeatedSubSeq(str):
# This part of code is same as
# below post it fills dp[][]
# https://www.geeksforgeeks.org/longest-repeating-subsequence/
# OR the code mentioned above
n = len(str)
dp = [[0 for i in range(n+1)] for j in range(n+1)]
for i in range(1, n + 1):
for j in range(1, n + 1):
if (str[i-1] == str[j-1] and i != j):
dp[i][j] = 1 + dp[i-1][j-1]
else:
dp[i][j] = max(dp[i][j-1], dp[i-1][j])
# This part of code finds the result
# string using dp[][] Initialize result
res = ''
# Traverse dp[][] from bottom right
i = n
j = n
while (i > 0 and j > 0):
# If this cell is same as diagonally
# adjacent cell just above it, then
# same characters are present at
# str[i-1] and str[j-1]. Append any
# of them to result.
if (dp[i][j] == dp[i-1][j-1] + 1):
res += str[i-1]
i -= 1
j -= 1
# Otherwise we move to the side
# that gave us maximum result.
elif (dp[i][j] == dp[i-1][j]):
i -= 1
else:
j -= 1
# Since we traverse dp[][] from bottom,
# we get result in reverse order.
res = ''.join(reversed(res))
return res
Ugly Numbers
Ugly numbers are positive numbers whose prime factors only include 2, 3, 5. Note that 1 is
typically treated as an ugly number.
Example: 10th ugly number is 12, because first 10 ugly numbers are 1, 2, 3, 4, 5, 6, 8, 9, 10, 12.
Algo
Initiate array of precomputed ugly numbers arr and three pointers p2, p3 and p5 to track the
index of the last ugly number used to produce the next ones.
Make a loop of n steps. At each step:
Choose the smallest number among arr[p2] * 2, arr[p3] * 3, and arr[p5] * 5 and add it into arr.
Move by one the pointer which corresponds to the “ancestor” of the added number.
1 Declare an array for ugly numbers: ugly[n]
2 Initialize first ugly no: ugly[0] = 1
3 Initialize three array index variables i2, i3, i5 to point to
1st element of the ugly array:
i2 = i3 = i5 =0;
4 Initialize 3 choices for the next ugly no:
next_mulitple_of_2 = ugly[i2]*2;
next_mulitple_of_3 = ugly[i3]*3
next_mulitple_of_5 = ugly[i5]*5;
5 Now go in a loop to fill all ugly numbers till 150:
For (i = 1; i < 150; i++ )
{
/* These small steps are not optimized for good
readability. Will optimize them in C program */
next_ugly_no = Min(next_mulitple_of_2,
next_mulitple_of_3,
next_mulitple_of_5);
ugly[i] = next_ugly_no
if (next_ugly_no == next_mulitple_of_2)
{
i2 = i2 + 1;
next_mulitple_of_2 = ugly[i2]*2;
}
if (next_ugly_no == next_mulitple_of_3)
{
i3 = i3 + 1;
next_mulitple_of_3 = ugly[i3]*3;
}
if (next_ugly_no == next_mulitple_of_5)
{
i5 = i5 + 1;
next_mulitple_of_5 = ugly[i5]*5;
}
}/* end of for loop */
6.return next_ugly_no
150th ugly Number
initialize
ugly[] = | 1 |
i2 = i3 = i5 = 0;
First iteration
ugly[1] = Min(ugly[i2]*2, ugly[i3]*3, ugly[i5]*5)
= Min(2, 3, 5)
= 2
ugly[] = | 1 | 2 |
i2 = 1, i3 = i5 = 0 (i2 got incremented )
Second iteration
ugly[2] = Min(ugly[i2]*2, ugly[i3]*3, ugly[i5]*5)
= Min(4, 3, 5)
= 3
ugly[] = | 1 | 2 | 3 |
i2 = 1, i3 = 1, i5 = 0 (i3 got incremented )
Third iteration
ugly[3] = Min(ugly[i2]*2, ugly[i3]*3, ugly[i5]*5)
= Min(4, 6, 5)
= 4
ugly[] = | 1 | 2 | 3 | 4 |
i2 = 2, i3 = 1, i5 = 0 (i2 got incremented )
Fourth iteration
ugly[4] = Min(ugly[i2]*2, ugly[i3]*3, ugly[i5]*5)
= Min(6, 6, 5)
= 5
ugly[] = | 1 | 2 | 3 | 4 | 5 |
i2 = 2, i3 = 1, i5 = 1 (i5 got incremented )
Fifth iteration
ugly[4] = Min(ugly[i2]*2, ugly[i3]*3, ugly[i5]*5)
= Min(6, 6, 10)
= 6
ugly[] = | 1 | 2 | 3 | 4 | 5 | 6 |
i2 = 3, i3 = 2, i5 = 1 (i2 and i3 got incremented )
Will continue same way till I < 150
Largest Sum Contiguous Subarray
# Function to find the maximum contiguous subarray
from sys import maxint
def maxSubArraySum(a,size):
max_so_far = -maxint - 1
max_ending_here = 0
for i in range(0, size):
max_ending_here = max_ending_here + a[i]
if (max_so_far < max_ending_here):
max_so_far = max_ending_here
if max_ending_here < 0:
max_ending_here = 0
return max_so_far
# Driver function to check the above function
a = [-13, -3, -25, -20, -3, -16, -23, -12, -5, -22, -15, -4, -7]
print "Maximum contiguous sum is", maxSubArraySum(a,len(a))
Edit Distance
Given two strings s1 and s2, the edit distance between s1 and s2 is the minimum number of
operations required to convert string s1 to s2. The following operations are typically used:
1. Replacing one character of string by another character.
2. Deleting a character from string
3. Adding a character to string
int count(string s1, string s2)
{
int m = s1.length();
int n = s2.length();
for (int i = 0; i <= m; i++) {
v[i][0] = i;
}
for (int j = 0; j <= n; j++) {
v[0][j] = j;
}
for (int i = 1; i <= m; i++) {
for (int j = 1; j <= n; j++) {
if (s1[i-1] == s2[j-1]) v[i][j] = v[i-1][j-1];
else v[i][j] = 1 + min(min(v[i][j-1],v[i-1]
[j]),v[i-1][j-1]);
}
}
return v[m][n];
}
Minimum number of jumps to reach end
1. In this way, make a jumps[] array from left to right such that jumps[i] indicate the
minimum number of jumps needed to reach arr[i] from arr[0].
2. To fill the jumps array run a nested loop inner loop counter is j and outer loop count is i.
3. Outer loop from 1 to n-1 and inner loop from 0 to n-1.
4. if i is less than j + arr[j] then set jumps[i] to minimum of jumps[i] and jumps[j] + 1.
initially set jump[i] to INT MAX
5. Finally, return jumps[n-1].
Python
def minJumps(arr, n):
jumps = [0 for i in range(n)]
if (n == 0) or (arr[0] == 0):
return float('inf')
jumps[0] = 0
# Find the minimum number of
# jumps to reach arr[i] from
# arr[0] and assign this
# value to jumps[i]
for i in range(1, n):
jumps[i] = float('inf')
for j in range(i):
if (i <= j + arr[j]) and (jumps[j] != float('inf')):
jumps[i] = min(jumps[i], jumps[j] + 1)
break
return jumps[n-1]
# Driver Program to test above function
arr = [1, 3, 6, 1, 0, 9]
size = len(arr)
print('Minimum number of jumps to reach',
'end is', minJumps(arr, size))
Longest Common Subsequence
The following steps are followed for finding the longest common subsequence.
1. Create a table of dimension n+1*m+1 where n and m are the lengths of X and Y respectively. The first row
and the first column are filled with zeros.
2. Fill each cell of the table using the following logic.
3. If the character correspoding to the current row and current column are matching, then fill the current
cell by adding one to the diagonal element. Point an arrow to the diagonal cell.
4. Else take the maximum value from the previous column and previous row element for filling the current
cell. Point an arrow to the cell with maximum value. If they are equal, point to any of them.
5. The value in the last row and the last column is the length of the longest common subsequence.
6. In order to find the longest common subsequence, start from the last element and follow the direction of
the arrow. The elements corresponding to () symbol form the longest common subsequence.
Algorithm
X and Y be two given sequences
Initialize a table LCS of dimension X.length * Y.length
X.label = X
Y.label = Y
LCS[0][] = 0
LCS[][0] = 0
Start from LCS[1][1]
Compare X[i] and Y[j]
If X[i] = Y[j]
LCS[i][j] = 1 + LCS[i-1, j-1]
Point an arrow to LCS[i][j]
Else
LCS[i][j] = max(LCS[i-1][j], LCS[i][j-1])
Point an arrow to max(LCS[i-1][j], LCS[i][j-1])
Maximum size square submatrix with all 1s
Given a binary matrix, find out the maximum size square sub-matrix with all 1s.
# Function to find the size of the largest square submatrix of 1's
# present in a given binary matrix
def findLargestSquare(M, m, n, maxsize):
# base condition
if m == 0 or n == 0:
if maxsize != 0:
return M[m][n], max(maxsize, M[m][n])
for i in range(m + 1):
if M[i][n] == 1:
return 1, 1
for j in range(n + 1):
if M[m][j] == 1:
return 1, 1
return 0, 0
# find the largest square matrix ending at `M[m][n-1]`
left, maxsize = findLargestSquare(M, m, n - 1, maxsize)
# find the largest square matrix ending at `M[m-1][n]`
top, maxsize = findLargestSquare(M, m - 1, n, maxsize)
# find the largest square matrix ending at `M[m-1][n-1]`
diagonal, maxsize = findLargestSquare(M, m - 1, n - 1, maxsize)
''' The largest square matrix ending at `mat[m][n]` will be 1 plus
minimum of largest square matrix ending at `mat[m][n-1]`,
mat[m-1][n] and mat[m-1][n-1] '''
size = 1 + min(min(top, left), diagonal) if M[m][n] else 0
# return the size of the largest square matrix ending at `M[m][n]` and
# maximum size found so far
return size, max(maxsize, size)
if __name__ == '__main__':
M = [
[0, 0, 1, 0, 1, 1],
[0, 1, 1, 1, 0, 0],
[0, 0, 1, 1, 1, 1],
[1, 1, 0, 1, 1, 1],
[1, 1, 1, 1, 1, 1],
[1, 1, 0, 1, 1, 1],
[1, 0, 1, 1, 1, 1],
[1, 1, 1, 0, 1, 1]
]
# `size` stores the size of the largest square submatrix of 1's
maxsize = findLargestSquare(M, len(M) - 1, len(M[0]) - 1, 0)[1]
print("The size of the largest square submatrix of 1's is", maxsize)
Longest Increasing Subsequence
The Longest Increasing Subsequence (LIS) problem is to find the length of the longest
subsequence of a given sequence such that all elements of the subsequence are sorted in
increasing order. For example, the length of LIS for {10, 22, 9, 33, 21, 50, 41, 60, 80} is 6 and LIS
is {10, 22, 33, 50, 60, 80}.
def lis(arr):
n = len(arr)
# Declare the list (array) for LIS and
# initialize LIS values for all indexes
lis = [1]*n
# Compute optimized LIS values in bottom up manner
for i in range(1, n):
for j in range(0, i):
if arr[i] > arr[j] and lis[i] < lis[j] + 1:
lis[i] = lis[j]+1
# Initialize maximum to 0 to get
# the maximum of all LIS
maximum = 0
# Pick maximum of all LIS values
for i in range(n):
maximum = max(maximum, lis[i])
return maximum
# end of lis function
# Driver program to test above function
arr = [10, 22, 9, 33, 21, 50, 41, 60]
print "Length of lis is", lis(arr)
Min Cost Path
Coin Change
Divide and Conquer
Binary Search
Merge Sort
MergeSort(arr[], l, r)
If r > l
1. Find the middle point to divide the array into two halves:
middle m = l+ (r-l)/2
2. Call mergeSort for first half:
Call mergeSort(arr, l, m)
3. Call mergeSort for second half:
Call mergeSort(arr, m+1, r)
4. Merge the two halves sorted in step 2 and 3:
Call merge(arr, l, m, r)
N
Quick Sort
1. QUICKSORT (array A, int m, int n)
2. 1 if (n > m)
3. 2 then
4. 3 i ← a random index from [m,n]
5. 4 swap A [i] with A[m]
6. 5 o ← PARTITION (A, m, n)
7. 6 QUICKSORT (A, m, o - 1)
8. 7 QUICKSORT (A, o + 1, n)
PARTITION (array A, int m, int n)
1. 1 x ← A[m]
2. 2 o ← m
3. 3 for p ← m + 1 to n
4. 4 do if (A[p] < x)
5. 5 then o ← o + 1
6. 6 swap A[o] with A[p]
7. 7 swap A[m] with A[o]
8. 8 return o
Write a program to calculate pow(x,n)
def power(x, y):
if (y == 0): return 1
elif (int(y % 2) == 0):
return (power(x, int(y / 2)) *
power(x, int(y / 2)))
else:
return (x * power(x, int(y / 2)) *
power(x, int(y / 2)))
Find a peak element
Algorithm:
1. Create two variables, l and r, initilize l = 0 and r = n-1
2. Iterate the steps below till l <= r, lowerbound is less than the upperbound
3. Check if the mid value or index mid = (l+r)/2, is the peak element or not, if yes then print
the element and terminate.
4. Else if the element on the left side of the middle element is greater then check for peak
element on the left side, i.e. update r = mid – 1
5. Else if the element on the right side of the middle element is greater then check for
peak element on the right side, i.e. update l = mid + 1
Check for Majority Element in a sorted array
def isMajorityElement(arr,
n, key):
if (arr[n // 2] == key):
return True
return False
# Driver code
if __name__ == "__main__":
arr = [1, 2, 3, 3,
3, 3, 10]
n = len(arr)
x = 3
if (isMajorityElement(arr, n, x)):
print(x, " appears more than ",
n // 2 , " times in arr[]")
else:
print(x, " does not appear more than",
n // 2, " times in arr[]")
Count number of occurrences (or frequency) in a sorted array
# if x is present in arr[] then
# returns the count of occurrences
# of x, otherwise returns -1.
def count(arr, x, n):
# get the index of first
# occurrence of x
i = first(arr, 0, n-1, x, n)
# If x doesn't exist in
# arr[] then return -1
if i == -1:
return i
# Else get the index of last occurrence
# of x. Note that we are only looking
# in the subarray after first occurrence
j = last(arr, i, n-1, x, n);
# return count
return j-i+1;
# if x is present in arr[] then return
# the index of FIRST occurrence of x in
# arr[0..n-1], otherwise returns -1
def first(arr, low, high, x, n):
if high >= low:
# low + (high - low)/2
mid = (low + high)//2
if (mid == 0 or x > arr[mid-1]) and arr[mid] == x:
return mid
elif x > arr[mid]:
return first(arr, (mid + 1), high, x, n)
else:
return first(arr, low, (mid -1), x, n)
return -1;
# if x is present in arr[] then return
# the index of LAST occurrence of x
# in arr[0..n-1], otherwise returns -1
def last(arr, low, high, x, n):
if high >= low:
# low + (high - low)/2
mid = (low + high)//2;
if(mid == n-1 or x < arr[mid+1]) and arr[mid] == x :
return mid
elif x < arr[mid]:
return last(arr, low, (mid -1), x, n)
else:
return last(arr, (mid + 1), high, x, n)
return -1
# driver program to test above functions
arr = [1, 2, 2, 3, 3, 3, 3]
x = 3 # Element to be counted in arr[]
n = len(arr)
c = count(arr, x, n)
print ("%d occurs %d times "%(x, c))
Floor in a Sorted Array
Find the element that appears once in a sorted array
The Skyline Problem
Square root of an integer
Find a peak element in a 2D array
An element is a peak element if it is greater than or equal to its four neighbors, left, right, top and
bottom. For example neighbors for A[i][j] are A[i-1][j], A[i+1][j], A[i][j-1] and A[i][j+1]. For corner
elements, missing neighbors are considered of negative infinite value.
def findMax(arr, rows, mid,max):
max_index = 0
for i in range(rows):
if (max < arr[i][mid]):
# Saving global maximum and its index
# to check its neighbours
max = arr[i][mid]
max_index = i
#print(max_index)
return max,max_index
# Function to find a peak element
def findPeakRec(arr, rows, columns,mid):
# Evaluating maximum of mid column.
# Note max is passed by reference.
max = 0
max, max_index = findMax(arr, rows, mid, max)
# If we are on the first or last column,
# max is a peak
if (mid == 0 or mid == columns - 1):
return max
# If mid column maximum is also peak
if (max >= arr[max_index][mid - 1] and
max >= arr[max_index][mid + 1]):
return max
# If max is less than its left
if (max < arr[max_index][mid - 1]):
return findPeakRec(arr, rows, columns,
mid - ceil(mid / 2.0))
# If max is less than its left
# if (max < arr[max_index][mid+1])
return findPeakRec(arr, rows, columns,
mid + ceil(mid / 2.0))
# A wrapper over findPeakRec()
def findPeak(arr, rows, columns):
return findPeakRec(arr, rows,
columns, columns // 2)