1986. Minimum Number of Work Sessions to Finish the Tasks


Problem Description

You are given n tasks to complete, with their durations specified in an array called tasks, where the i-th task takes tasks[i] hours to complete. You also have a maximum duration you can work in a single work session, called sessionTime. A work session is defined as a period during which you can work for up to sessionTime consecutive hours before taking a break. The goal is to figure out the minimum number of work sessions required to complete all tasks under the following rules:

  1. You must complete a task within the same work session if you start it.
  2. After finishing a task, you can start a new one immediately.
  3. The tasks can be completed in any order.

Your aim is to determine the minimum number of work sessions needed to finish all the assigned tasks without violating the conditions mentioned.

Intuition

Solving this problem involves understanding that it is a combinatorial optimization problem which suggests finding an optimal combination of tasks that fit within the session time limit. Since sessionTime is guaranteed to be greater than or equal to the maximum time for a single task, no task is unstartable.

The first step towards the solution is to generate all the possible combinations of tasks that can fit within a single session. This is achieved by iterating over each possible subset of tasks, where each subset is represented by a bitmask. A bitmask is a binary representation where each bit corresponds to whether a task is included in the subset or not (1 for included, 0 for not included).

For each subset, we check if the total time of the tasks in that subset does not exceed the sessionTime. If it doesn't, we mark this subset as a valid combination that can be completed within a single work session.

Next, we need to determine the minimum number of sessions required to complete all tasks. We initialize an array, f, to store the minimum sessions required for each subset of tasks. The value of f[i] represents the minimum number of sessions required to complete the subset i.

We use Dynamic Programming to build up the solution. For each subset i, we consider all possible valid combinations that have already been identified. We try to improve the minimum session count by checking if excluding a valid subset j from i (calculated as i XOR j) decreases the overall session count. In other words, we are trying to find the best previous state (f[i XOR j]) and then adding one more session for the current subset j.

Finally, f[-1] gives us the minimum number of sessions required to complete all the tasks, as it represents the state where all tasks have been included in some work session.

This approach efficiently finds the optimal number of work sessions by exploring and evaluating all possible task combinations and accumulating the results with dynamic programming.

Learn more about Dynamic Programming, Backtracking and Bitmask patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece๏ผš

Which of the tree traversal order can be used to obtain elements in a binary search tree in sorted order?

Solution Approach

The implementation of this solution relies on several key concepts, including bit manipulation and dynamic programming.

Bit Manipulation

This algorithm uses bit manipulation to represent subsets of tasks. The key insight of using bitmasks is that a subset of n tasks can be represented as an n-bit integer. For example, if n is 3, then the binary 101 represents the subset where the first and third tasks are included, and the second task is excluded. This allows us to iterate over all possible subsets efficiently, using bitwise operations.

Dynamic Programming

Dynamic programming (DP) is used to build up the solution by reusing previously computed results. The DP array, f, is indexed by the subsets of tasks, where each index corresponds to a bitmask representing the subset. The value f[i] stores the minimum number of sessions required to complete the tasks in subset i.

Implementation Steps

  1. First, we initialize an array, ok, to keep track of which subsets can be completed within a single session. We populate this array by iterating through all possible subsets (from 1 to 2^n - 1), summing up the times of tasks included in each subset, and checking if the sum is within sessionTime.

  2. Once we have identified all valid subsets, we initialize the DP array, f, with infinity (inf) to represent an initially unknown minimum. The starting state, f[0], is set to 0, because no sessions are needed when no tasks are included.

  3. To compute the minimum sessions for each subset, we iterate over all subsets i. For each subset, we iterate through its submasks j. This part uses a nested looping structure where the inner loop uses a clever bit trick to iterate through all submasks of i. The expression (j - 1) & i ensures that we only consider submasks that are actual subsets of i.

  4. For each submask j, if j is a valid subset (ok[j] is True), we check if we can get a better solution by combining the sessions required for the subset i XOR j (which means the subset i without the tasks in j) and the current submask j. If this is the case, we update f[i] with the minimum value between the current f[i] and f[i XOR j] + 1.

  5. We continue this process until we've computed the optimal session counts for all subsets. The final answer will be stored in f[-1], which represents the minimum number of work sessions needed for the complete set of tasks.

This implementation efficiently combines the powers of combinatorial enumeration via bit manipulation and the optimization capabilities of dynamic programming, resulting in an optimal solution to the task scheduling problem.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Which of the following shows the order of node visit in a Breadth-first Search?

Example Walkthrough

Let's assume we have n = 3 tasks with durations specified in an array called tasks = [1, 2, 3], and we have a maximum session duration sessionTime = 3.

  1. Identify valid subsets:

    • We start by generating all possible subsets of tasks and checking which can fit into a single session.
    • Subset {1} (binary 001, total duration 1) fits in a session.
    • Subset {2} (binary 010, total duration 2) fits in a session.
    • Subset {3} (binary 100, total duration 3) fits in a session.
    • Subset {1, 2} (binary 011, total duration 3) fits in a session.
    • Subsets {1, 3} (binary 101) and {2, 3} (binary 110), and {1, 2, 3} (binary 111) do not fit as their durations exceed sessionTime.
  2. Dynamic Programming Initialization:

    • Initialize DP array f with infinity, except for f[0] = 0. Here, f[0] corresponds to no tasks being complete.
    • The f array before starting the DP process: f = [0, inf, inf, inf, inf, inf, inf, inf].
  3. Building up the DP table:

    • For subset {1} (001), f[1] = 1, as it only needs one session.
    • For subset {2} (010), f[2] = 1, as it only needs one session.
    • For subset {3} (100), f[4] = 1, as it only needs one session.
    • For subset {1, 2} (011), f[3] = 1, as both can be done in one session.
  4. Using DP to find the minimum number of sessions:

    • For subsets beyond {1, 2} (011), we need to consider splitting into submasks.
    • Calculate f[5] for subset {1, 3}:
      • The submasks are {1} (needs 1 session) and {3} (needs 1 session).
      • Since {1, 3} doesn't fit in one session, we add the session counts of the submasks: f[5] = f[1] + f[4] = 1 + 1 = 2.
    • Calculate f[6] for subset {2, 3}:
      • The submasks are {2} and {3}, each needing one session.
      • Since {2, 3} doesn't fit in one session, f[6] = f[2] + f[4] = 1 + 1 = 2.
    • Finally, for the full set {1, 2, 3} (111),
      • No single submask fits the entire set in one session.
      • The optimal way is to combine {1, 2} and {3}, so f[7] = f[3] + f[4] = 1 + 1 = 2.
  5. Conclusion: The final DP array f stands as [0, 1, 1, 1, 1, 2, 2, 2]. The answer is f[7] which is 2. Therefore, the minimum number of work sessions needed to finish all tasks is 2.

Solution Implementation

1from math import inf
2from typing import List
3
4class Solution:
5    def minSessions(self, tasks: List[int], sessionTime: int) -> int:
6        # Calculate the number of tasks.
7        num_tasks = len(tasks)
8      
9        # Initialize a list of booleans to keep track of which combinations of tasks
10        # can fit into a single session.
11        can_fit_session = [False] * (1 << num_tasks)
12      
13        # Check all combinations of tasks.
14        for mask in range(1, 1 << num_tasks):
15            # Calculate the total time of tasks in the current combination.
16            total_time = sum(tasks[j] for j in range(num_tasks) if mask >> j & 1)
17          
18            # Set True in can_fit_session if the total time of tasks is within the sessionTime.
19            can_fit_session[mask] = total_time <= sessionTime
20      
21        # Initialize an array to store the minimum sessions needed for every task combination.
22        min_sessions_needed = [inf] * (1 << num_tasks)
23        # Base case: zero tasks require zero sessions.
24        min_sessions_needed[0] = 0
25
26        # Calculate the minimum sessions required for all the combinations.
27        for mask in range(1, 1 << num_tasks):
28            # Store the current mask to iterate over its subsets.
29            subset = mask
30            # Iterate over all the subsets of the mask.
31            while subset:
32                # Check if the current subset can fit into one session.
33                if can_fit_session[subset]:
34                    # Update the minimum sessions needed if we can achieve a smaller number.
35                    min_sessions_needed[mask] = min(min_sessions_needed[mask], min_sessions_needed[mask ^ subset] + 1)
36                # Move to the next subset.
37                subset = (subset - 1) & mask
38      
39        # Return the minimum sessions needed for all tasks.
40        return min_sessions_needed[-1]
41
42# Example usage:
43# solution = Solution()
44# print(solution.minSessions([1,2,3,4,5], 15))  # Output should be the minimum number of sessions required to complete all tasks
45
1import java.util.Arrays;
2
3class Solution {
4    public int minSessions(int[] tasks, int sessionTime) {
5        // Number of tasks
6        int numTasks = tasks.length;
7      
8        // An array to keep track of which subsets of tasks can fit into a single session
9        boolean[] canFitInSession = new boolean[1 << numTasks];
10      
11        // Evaluate all subsets of tasks to see if they can fit in a single session
12        for (int i = 1; i < (1 << numTasks); ++i) {
13            int totalTime = 0;
14            // Calculate total time for the current subset of tasks
15            for (int j = 0; j < numTasks; ++j) {
16                if ((i >> j & 1) == 1) {
17                    totalTime += tasks[j];
18                }
19            }
20            // Mark this subset as fitting in a session if the totalTime does not exceed sessionTime
21            canFitInSession[i] = totalTime <= sessionTime;
22        }
23      
24        // f[i] will hold the minimum number of sessions required for the set of tasks represented by 'i'
25        int[] minSessionsRequired = new int[1 << numTasks];
26        Arrays.fill(minSessionsRequired, Integer.MAX_VALUE); // Initialize with max value
27        minSessionsRequired[0] = 0; // Base case: No tasks require 0 sessions
28      
29        // Iterate over all subsets of tasks
30        for (int i = 1; i < (1 << numTasks); ++i) {
31            // Consider all sub-subsets of the current subset 'i'
32            for (int subset = i; subset > 0; subset = (subset - 1) & i) {
33                // If the subset can fit in a session, try to update the minimum sessions required.
34                if (canFitInSession[subset]) {
35                    // the new state i ^ subset represents the remaining tasks after taking the session subset
36                    minSessionsRequired[i] = Math.min(minSessionsRequired[i], minSessionsRequired[i ^ subset] + 1);
37                }
38            }
39        }
40      
41        // The answer is the minimum number of sessions required to complete all tasks
42        return minSessionsRequired[(1 << numTasks) - 1];
43    }
44}
45
1#include <vector>
2#include <cstring>
3#include <algorithm>
4
5class Solution {
6public:
7    int minSessions(std::vector<int>& tasks, int sessionTime) {
8        int n = tasks.size(); // Number of tasks
9        std::vector<bool> ok(1 << n, false); // 'ok' array to flag valid subsets
10      
11        // Initialize the 'ok' array with subsets that can fit in a single session
12        for (int mask = 1; mask < (1 << n); ++mask) {
13            int totalTime = 0;
14            for (int j = 0; j < n; ++j) {
15                if ((mask >> j) & 1) {
16                    totalTime += tasks[j];
17                }
18            }
19            ok[mask] = (totalTime <= sessionTime);
20        }
21      
22        // Initialize the 'dp' array to store the minimum number of sessions needed
23        std::vector<int> dp(1 << n, INT_MAX);
24        dp[0] = 0; // Base case: No tasks require 0 sessions
25      
26        // Calculate the minimum number of sessions required for each subset of tasks
27        for (int i = 1; i < (1 << n); ++i) {
28            for (int j = i; j; j = (j - 1) & i) { // Iterate through all submasks of i
29                if (ok[j]) {
30                    // If the current subset of tasks can be completed in one session,
31                    // update the 'dp' value for the current combination of tasks.
32                    dp[i] = std::min(dp[i], dp[i ^ j] + 1);
33                }
34            }
35        }
36      
37        // The last element in 'dp' represents all tasks which is the answer
38        return dp[(1 << n) - 1];
39    }
40};
41
1function minSessions(tasks: number[], sessionTime: number): number {
2    const numTasks = tasks.length;
3    // 'canCompleteSession' is an array indicating for each subset of tasks whether it can be completed in a single session.
4    const canCompleteSession: boolean[] = new Array(1 << numTasks).fill(false);
5
6    // Populate 'canCompleteSession' with true for subsets of tasks that fit within 'sessionTime'.
7    for (let mask = 1; mask < 1 << numTasks; ++mask) {
8        let totalTime = 0;
9        for (let taskIndex = 0; taskIndex < numTasks; ++taskIndex) {
10            if (((mask >> taskIndex) & 1) === 1) {
11                totalTime += tasks[taskIndex];
12            }
13        }
14        canCompleteSession[mask] = totalTime <= sessionTime;
15    }
16
17    // 'minSessionsNeeded' keeps track of the minimum number of sessions needed for each subset of tasks.
18    const minSessionsNeeded: number[] = new Array(1 << numTasks).fill(Infinity);
19    minSessionsNeeded[0] = 0;
20
21    // Calculate the minimum number of sessions needed for all possible combinations of tasks.
22    for (let mask = 1; mask < 1 << numTasks; ++mask) {
23        // Explore submasks of 'mask' to split the tasks into multiple sessions.
24        for (let subMask = mask; subMask > 0; subMask = (subMask - 1) & mask) {
25            if (canCompleteSession[subMask]) {
26                minSessionsNeeded[mask] = Math.min(minSessionsNeeded[mask], minSessionsNeeded[mask ^ subMask] + 1);
27            }
28        }
29    }
30  
31    // Return the minimum number of sessions for all tasks.
32    return minSessionsNeeded[(1 << numTasks) - 1];
33}
34
Not Sure What to Study? Take the 2-min Quiz๏ผš

Which data structure is used to implement priority queue?

Time and Space Complexity

The given Python code defines a method minSessions to find out the minimum number of work sessions required to finish all given tasks within a specified session time. The code utilizes bitmask Dynamic Programming (DP), where each state in DP represents a subset of tasks.

Time Complexity:

  • Calculating the ok array requires iterating through all subsets of tasks, which are 2^n, and summing up the tasks in each subset. This yields a time complexity of O(n * 2^n) for setting up the ok array, where n is the number of tasks.
  • The nested loops for the DP solution iterate through all 2^n subsets of tasks and for each subset, go through its submasks to update the f[i]. This results in another O(n * 2^n) operations (since the average number of submasks each mask has is proportional to n, considering the worst case). Combine both parts, and the total time complexity is O(n * 2^n).

Space Complexity:

  • The space is occupied by the ok array and the f array, both of which have 2^n elements, resulting in O(2^n) space complexity.
  • Additional space usage is minimal (constant space for the iteration variables and the sum), hence not impacting the overall space complexity.

So, to encapsulate:

  • Time Complexity: O(n * 2^n)
  • Space Complexity: O(2^n)

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

Which algorithm should you use to find a node that is close to the root of the tree?


Recommended Readings


Got a question?ย Ask the Teaching Assistantย anything you don't understand.

Still not clear? Ask in the Forum, ย Discordย orย Submitย the part you don't understand to our editors.

โ†
โ†‘TA ๐Ÿ‘จโ€๐Ÿซ