Since we have chosen the greed, let continue with it for one more post at least. Today’s problem is to minimize maximum lateness of a task. Let me clarify the problem: given a processor which processes one process at a time and as always given a list of processes to be scheduled on that processor, with the intention that maximum late process should be minimized. Contrary to previous problems, this time, we are not provided with start time and end time, but we are given length of time ti process will run and deadline it has to meet di, fi is actual finish time of process completion.
Lateness of a process is defined as li = max{0, fi − di}, i.e. the length of time past its deadline that it finishes.
Goal here to schedule all tasks to minimize maximum lateness L = max li For example:
Minimizing maximum lateness : algorithm
Let’s decide our optimization strategy. There is some order in which jobs can be decided: shortest job first, earliest deadline first, least slack time first.
Let’s see if any of the above strategies work for the optimal solution. For shortest processing time first, consider example P1 = (1,100) P2 = (10, 10). If we schedule the shortest job first as in order (P1, P2), lateness will be 91, but if we take them as (P2, P1), lateness will be 0. So, clearly taking the shortest process first does not give us an optimal solution.
Check for the smallest slack time approach. See if you can come up with some counterexample that it does not work.
That leaves us with only one option, take the process which has the most pressing deadline, that is the one with the smallest deadline and yet not scheduled. If you have noticed, the example given for the problem statement is solved using this method. So, we know it works.
Sort all job in ascending order of deadlines
Start with time t = 0
For each job in the list
Schedule the job at time t
Finish time = t + processing time of job
t = finish time
Return (start time, finish time) for each job
Minimizing maximum lateness : implementation
from operator import itemgetter
jobs = [(1, 3, 6), (2, 2, 9), (3, 1, 8), (4, 4, 9),
(5, 3, 14), (6, 2, 15)]
def get_minimum_lateness():
schedule =[];
max_lateness = 0
t = 0;
sorted_jobs = sorted(jobs,key=itemgetter(2))
for job in sorted_jobs:
job_start_time = t
job_finish_time = t + job[1]
t = job_finish_time
if(job_finish_time > job[2]):
max_lateness = max (max_lateness, (job_finish_time - job[2]))
schedule.append((job_start_time, job_finish_time))
return max_lateness, schedule
max_lateness, sc = get_minimum_lateness();
print "Maximum lateness will be :" + str(max_lateness)
for t in sc:
print t[0], t[1]
The complexity of implementation is dominated by sort function, which is O(nlogn), rest of processing takes O(n).
Please share your suggestions or if you find something is wrong in comments. We would love to hear what you have to say. If you find this post interesting, please feel free to share or like.
Today, we will learn a very common problem which can be solved using the greedy algorithm. If you are not very familiar with a greedy algorithm, here is the gist: At every step of the algorithm, you take the best available option and hope that everything turns optimal at the end which usually does. The problem at hand is coin change problem, which goes like given coins of denominations 1,5,10,25,100; find out a way to give a customer an amount with the fewest number of coins. For example, if I ask you to return me change for 30, there are more than two ways to do so like
Amount: 30
Solutions : 3 X 10 ( 3 coins )
6 X 5 ( 6 coins )
1 X 25 + 5 X 1 ( 6 coins )
1 X 25 + 1 X 5 ( 2 coins )
The last solution is the optimal one as it gives us a change of amount only with 2 coins, where as all other solutions provide it in more than two coins.
Solution for coin change problem using greedy algorithm is very intuitive and called as cashier’s algorithm. Basic principle is : At every iteration in search of a coin, take the largest coin which can fit into remaining amount we need change for at the instance. At the end you will have optimal solution.
Coin change problem : Algorithm
1. Sort n denomination coins in increasing order of value.
2. Initialize set of coins as empty. S = {}
3. While amount is not zero:
3.1 Ck is largest coin such that amount > Ck
3.1.1 If there is no such coin return “no viable solution”
3.1.2 Else include the coin in the solution S.
3.1.3 Decrease the remaining amount = amount – Ck
Coin change problem : implementation
#include <stdio.h>
int coins[] = { 1,5,10,25,100 };
int findMaxCoin(int amount, int size){
for(int i=0; i<size; i++){
if(amount < coins[i]) return i-1;
}
return -1;
}
int findMinimumCoinsForAmount(int amount, int change[]){
int numOfCoins = sizeof(coins)/sizeof(coins[0]);
int count = 0;
while(amount){
int k = findMaxCoin(amount, numOfCoins);
if(k == -1)
printf("No viable solution");
else{
amount-= coins[k];
change[count++] = coins[k];
}
}
return count;
}
int main(void) {
int change[10]; // This needs to be dynamic
int amount = 34;
int count = findMinimumCoinsForAmount(amount, change);
printf("\n Number of coins for change of %d : %d", amount, count);
printf("\n Coins : ");
for(int i=0; i<count; i++){
printf("%d ", change[i]);
}
return 0;
}
What will the time complexity of the implementation? First of all, we are sorting the array of coins of size n, hence complexity with O(nlogn). While loop, the worst case is O(amount). If all we have is the coin with 1-denomination. Overall complexity for coin change problem becomes O(n log n) + O(amount).
Will this algorithm work for all sort of denominations? The answer is no. It will not give any solution if there is no coin with denomination 1. So be careful while applying this algorithm.
Please share if you have any suggestion or if you want me to write on a specific topic. If you liked the post, share it!
In continuation of greedy algorithm problem, (earlier we discussed : even scheduling and coin change problems) we will discuss another problem today. Problem is known as interval partitioning problem and it goes like : There are n lectures to be schedules and there are certain number of classrooms. Each lecture has a start time si and finish time fi. Task is to schedule all lectures in minimum number of classes and there cannot be more than one lecture in a classroom at a given point of time. For example, minimum number of classrooms required to schedule these nine lectures is 4 as shown below.
However, we can do some tweaks and manage to schedule same nine lectures in three classrooms as shown below.
So, second solution optimizes the output.
Another variant of this problem is : You want to schedule jobs on a computer. Requests take the form (si , fi) meaning a job that runs from time si to time fi. You get many such requests, and you want to process as many as possible, but the computer can only work on one job at a time.
Interval partitioning : Line of thought
First thing to note about interval partitioning problem is that we have to minimize something, in this case, number of classrooms. What template this problem fits into? Greedy may be? Yes it fits into greedy algorithm template. In greedy algorithm we take decision on local optimum.
Before discussing the solution, be clear that what is resource and what needs to be minimized? In this problem, resource is classroom and total number of classroom needs to be minimized by arranging lectures in certain order.
There are few natural orders in which we can arrange all lectures or for sake of generality, tasks. First is to arrange them in order of finish time, second is to arrange in order of start time, third is to order them by smallest duration of task, fourth is by minimum number of conflicting jobs. Which one to chose?
You can come up with counter example when if lectures are arranged in classrooms by order of their end time, or smallest duration or minimum number of conflicting jobs, it does not end to optimal solution So, let’s pick lectures based on earliest start time. At any given pint of time, pick lecture with least start time and yet not scheduled and then assign it to first available class. Will it work? Sure it does. When you have assigned all lectures, total number of classrooms will be minimum number of classrooms required.
Interval partitioning algorithm
1. Sort all lectures based on start time in ascending order.
2. Number of initial classrooms = 0
3. While lecture to be scheduled:
3.1 Take first lecture yet not scheduled,
3.2 If there a already a class available for lecture's start time
Assign lecture to the class.
3.3 If not, then allocate a new classroom
number of classroom = number of classroom + 1
4. Return number of classrooms.
Before jumping into the code, let’s discuss some data structures which we can use to implement this algorithm.
Understand that we have to find a compatible classroom for a lecture. There are many classrooms, we need to check if the finish time of lecture in that classroom is less than start time of new lecture. If yes , then classroom is compatible, if there is no such class, allocate a new class. If we store our allocated classrooms in such a way that it always gives classroom with least finish time of last lecture scheduled there, we can safely say that if this classroom is not compatible, none of the others will be.(Why?) Every time we assign a lecture to a classroom, sort the list of classroom, so that first classroom is with least finish time. Sort has complexity of O(n log n) and if we do it for all n intervals, overall complexity of algorithm will be O(n2 log n).
We are sorting just to find minimum end time across all classrooms. This can easily be achieved by min heap or priority queue keyed on finish time of last lecture of class. Every time finish time of last lecture changes for a classroom, heap is readjusted and root gives us classroom with min finish time.
To determine whether lecture j is compatible with some classroom, compare sj to key of min classroom k in priority queue.
When a lecture is added to a classroom, increase key of classroom k to fj.
Well know we have algorithm and data structure to implement in, so let’s code it.
class Classroom:
def __init__(self, number, finish_time):
self.class_num = number
self.finish_time = finish_time
def __repr__(self):
return 'Classroom({!r})'.format(self.class_num)
Interval partitioning problem : Implementation
from PriorityQueue import PriorityQueue
from Classroom import Classroom
jobs = [(1, 930, 1100),
(2, 930, 1300),
(3, 930, 1100),
(5, 1100, 1400),
(4, 1130, 1300),
(6, 1330, 1500),
(7, 1330, 1500),
(8,1430,1700),
(9, 1530, 1700),
(10, 1530, 1700)
]
def find_num_classrooms():
num_classrooms = 0;
priority_queue = PriorityQueue()
for job in jobs:
# we have job here, now pop the classroom with least finishing time
classroom = priority_queue.pop();
if(classroom == None) :
#allocate a new class
num_classrooms+= 1;
priority_queue.push(Classroom(num_classrooms,job[2]),job[2]);
else:
#check if finish time of current classroom is
#less than start time of this lecture
if(classroom.finish_time <= job[1]):
classroom.finish_time = job[2]
priority_queue.push(classroom,job[2])
else:
num_classrooms+= 1;
#Since last classroom needs to be compared again, push it back
priority_queue.push(classroom,job[2])
#Push the new classroom in list
priority_queue.push(Classroom(num_classrooms,job[2]),job[2])
return num_classrooms
print "Number of classrooms required: " + find_num_classrooms();
Java Implementation
package com.company;
import java.util.*;
/**
* Created by sangar on 24.4.18.
*/
public class IntervalPartition {
public static int findIntervalPartitions(ArrayList<Interval> intervals){
PriorityQueue<Interval> queue =
new PriorityQueue<Interval>(intervals.size(), Comparator.comparing(p -> p.getEndTime()));
for(Interval currentInterval : intervals) {
if (queue.isEmpty()) queue.add(currentInterval);
else {
if (queue.peek().getEndTime() > currentInterval.getStartTime()) {
queue.add(currentInterval);
} else {
queue.remove();
queue.add(currentInterval);
}
}
}
return queue.size();
}
public static void main(String args[] ) throws Exception {
ArrayList<Interval> intervals = new ArrayList<>();
intervals.add(new Interval(930,1100));
intervals.add(new Interval(930,1300));
intervals.add(new Interval(930,1100));
intervals.add(new Interval(1130,1300));
intervals.add(new Interval(1100,1400));
intervals.add(new Interval(1330,1500));
intervals.add(new Interval(1330,1500));
intervals.add(new Interval(1430,1700));
intervals.add(new Interval(1530,1700));
Collections.sort(intervals, Comparator.comparing(p -> p.getStartTime()));
int minimumClassRooms = findIntervalPartitions(intervals);
System.out.println(minimumClassRooms);
}
}
This algorithm takes overall time of O(n log n) dominated by the sorting of jobs on start time. Total number of priority queue operations is O(n) as we have only n lectures to schedule and for each lecture we have push and pop operation.
There is another method using binary search algorithm which can be used to solve this problem. As per problem statement, we have to find minimum number of classrooms to schedule n lectures. What are the maximum number of classrooms required? It will be number of lectures when all lectures conflict with each other.
Minimum number of classrooms will be 0 when there is no lecture to be scheduled. Now, we know the range of values of classrooms. How can we find minimum?
Basic idea is that if we can schedule all n lectures in m rooms, then we can definitely schedule them in m+1 and more rooms. So minimum number of rooms required will be either m or less than it. In this case, we can safely discard all candidate solution from m to n (remember n is the maximum number of classrooms).
Again what if we can not schedule lectures in m rooms, then there is no way we can schedule them in less than m rooms. Hence we can discard all candidate solutions less than m.
How can we select m? We can select is as mid of range which is (0,n). And try to fit all lectures on those m rooms based on condition that none of lecture conflicts. Keep track of end time of last lecture of each classroom. If none of the classroom has end time less than start time of new lecture, allocate new class. If total number of classrooms is less than or equal to m, discard m+1 to n. If it is more than m, then discard 0 to m and search for m+1 to n.
package com.company;
import java.util.*;
/**
* Created by sangar on 24.4.18.
*/
public class IntervalPartition {
public static boolean predicate(ArrayList<Interval> intervals, long candidateClassRooms){
int i = 0;
PriorityQueue<Interval> queue =
new PriorityQueue<Interval>(intervals.size(), Comparator.comparing(p -> p.getEndTime()));
for(Interval currentInterval : intervals){
if(queue.isEmpty()) queue.add(currentInterval);
else{
if(queue.peek().getEndTime() > currentInterval.getStartTime()){
queue.add(currentInterval);
}
else{
queue.remove();
queue.add(currentInterval);
}
}
}
return queue.size() <= candidateClassRooms;
}
public static void main(String args[] ) throws Exception {
ArrayList<Interval> intervals = new ArrayList<>();
intervals.add(new Interval(930,1100));
intervals.add(new Interval(930,1300));
intervals.add(new Interval(930,1100));
intervals.add(new Interval(1130,1300));
intervals.add(new Interval(1100,1400));
intervals.add(new Interval(1330,1500));
intervals.add(new Interval(1330,1500));
intervals.add(new Interval(1430,1700));
intervals.add(new Interval(1530,1700));
long low = 0;
long high = intervals.size();
Collections.sort(intervals, Comparator.comparing(p -> p.getStartTime()));
while(low < high){
long mid = low + ( (high - low) >> 1);
if(predicate(intervals, mid)){
high = mid;
}else{
low = mid+1;
}
}
System.out.println(low);
}
}
Complexity of algorithm is dependent on number of lectures to be scheduled which is O(n log n ) with additional space complexity of O(c) where c is number of classrooms required.
Please share your views and suggestions in comments and feel free to share and spread the word. If you are interested to share your knowledge to learners across the world, please write to us on [email protected]
Any interval has two time stamps, it’s start time and end time. To schedule number of intervals on to particular resource, take care that no two intervals are no overlapping, that is to say second interval cannot be scheduled while first is running. Given a set of intervals S with their start time si and end time ei, find out largest set R such that all events in R are mutually compatible. Two intervals are called compatible if they do not overlap (2nd job starts after or at the same time as the 1st one finishes). This problem is called as interval scheduling problem and algorithm which helps solve this class of problems is called as interval scheduling algorithm.
Example: 8 intervals{A,B,C,D,E,F,G,H}, optimal set would be {B,E,H}
Interval Scheduling : Line of thought
Notice from problem statement that ask is to maximize output with given constraints. What template this kind of problems fit in? It’s greedy algorithm. We need to select each job which maximizes output, i.e gives us maximum number of compatible intervals. What should be the order of evaluation of intervals? There are some natural orders we can think of :
1. Order intervals by earliest start time first.
2. Order intervals by earliest end time first.
3. Order intervals by minimum number of overlapping jobs.
4. Order intervals by shortest job first.
Let’s take some examples and see how things work out with each criteria. 1. Earliest start time first
In above arrangement, if we schedule interval with earliest start time first, only one interval will scheduled, however, optimally, 3 intervals, { B, C, D } should have been scheduled.
2. Minimum number of conflicting jobs
If we select job with least conflicts first, we will select F ( 2 conflicts) then C ( with 3 conflicts ) and then E ( again with 3 conflicts ). However, ideal set should be { B, C, D, E }
3. Shortest job first.
In this case, if we select shortest job first, set will contain only interval A, where as optimal set is {B, C}.
These are counter examples for three of the four natural ordering, these three criteria cannot give us optimum output, which is maximum number of compatible intervals. If we take interval with earliest end time, it will give us optimal set. Can you check if above three examples give you correct answer if you take interval based on earliest end time first? If we take first example, when order by end time, intervals will look like this. From this we can easily find out that compatible intervals are B, E and H.
Interval scheduling algorithm
Sort all jobs which based on end time in increasing order.
Take the interval which has earliest finish time.
Repeat net two steps till all you process all jobs
Eliminate all intervals which have start time less than selected interval’s end time.
If interval has start time greater than current interval’s end time, at it to set. Set current interval to new interval
Please share if you find something missing or wrong. If you want to contribute to algorithm and me and share your knowledge with thousands of students across world, please reach out to us at [email protected]
This website uses cookies to improve your experience. We'll assume you're ok with this, but you can opt-out if you wish. Cookie settingsACCEPT
Privacy & Cookies Policy
Privacy Overview
This website uses cookies to improve your experience while you navigate through the website. Out of these cookies, the cookies that are categorized as necessary are stored on your browser as they are essential for the working of basic functionalities of the website. We also use third-party cookies that help us analyze and understand how you use this website. These cookies will be stored in your browser only with your consent. You also have the option to opt-out of these cookies. But opting out of some of these cookies may have an effect on your browsing experience.
Necessary cookies are absolutely essential for the website to function properly. This category only includes cookies that ensures basic functionalities and security features of the website. These cookies do not store any personal information.
Any cookies that may not be particularly necessary for the website to function and is used specifically to collect user personal data via analytics, ads, other embedded contents are termed as non-necessary cookies. It is mandatory to procure user consent prior to running these cookies on your website.