1981. Minimize the Difference Between Target and Chosen Elements
Problem Description
In this problem, we are given a matrix mat
which has m
rows and n
columns, and a target integer called target
. Our goal is to choose exactly one number from each row of the matrix such that the sum of these numbers is as close as possible to the target. We need to minimize the absolute difference between this sum and the target. Absolute difference means we consider the positive distance between two numbers, regardless of their order. The output should be this minimum absolute difference.
Intuition
To solve this problem efficiently, we need to keep track of all possible sums that can be generated by choosing one number from each row up to the current row being processed. Here, dynamic programming comes into play. We start with an initial set that contains only one element, 0, representing the sum before any numbers have been chosen. For each row in the matrix, we update this set by adding each element of the current row to each of the sums we have accumulated so far.
This way, by the time we finish the last row, our set contains all possible sums that could be generated by picking one number from each row. After this, to find the minimum absolute difference, we simply iterate over these possible sums and calculate the absolute difference between each of them and the target. The smallest absolute difference found during this process is the result we're looking for.
Although this approach seems to have a high computational complexity due to generating all possible sums, in practice, we can optimize this by trimming the set of sums to only include relevant sums that could lead to a result close to the target. This is not shown in the given code, but it is a useful optimization for very large matrices.
Learn more about Dynamic Programming patterns.
Solution Approach
The solution uses a straightforward dynamic programming approach. Let's walk through the algorithms, data structures, or patterns used in the provided solution code:
-
Initialization of a Set: The variable
f
is initialized as a set with one element,0
. This set represents all possible sums we've seen so far, starting with no numbers having been chosen.f = {0}
-
Iteration Over Rows: The outer loop goes through each row of the matrix:
for row in mat:
-
Generating New Sums: Inside the loop, for each row, we generate new sums by adding every element in the current row to each of the sums in
f
. This is done using a set comprehension:f = set(a + b for a in f for b in row)
Here, for every sum
a
existing inf
and for each elementb
in the current row, we adda + b
to the new set. This set comprehension is executed for each row, effectively updatingf
with all possible sums after choosing an element from each row so far. -
Finding Minimum Absolute Difference: After processing all rows, the final set
f
encompasses all possible sums that could be made by picking one number from each row. The task now is to find the sum that is closest to the target, thus minimizing the absolute difference. This is achieved by iterating over each valuev
in the final setf
:return min(abs(v - target) for v in f)
We calculate the absolute difference
abs(v - target)
and use themin
function to find the smallest difference, which is our desired result.
The solution effectively leverages Python's set datatype to avoid duplicate sums, ensuring that only unique sums are generated and subsequently considered when calculating the minimum absolute difference from the target. This approach, due to the nature of the problem, may not be the most efficient in terms of time or space complexity especially if there are many large numbers in the rows, but it provides a correct and easily understandable solution.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example to illustrate the solution approach. Assume we have the following matrix mat
with m
= 3 rows and n
= 3 columns, and our target integer is target
= 7.
mat = [ [1, 2, 3], [4, 5, 6], [7, 8, 9] ]
Following the steps of the solution approach:
-
Initialization of a Set: We initialize our set
f
with a single element0
.f = {0}
-
Iteration Over Rows - Row 1: The first row is
[1, 2, 3]
. We add each number in this row to all elements in setf
.New sums will be:
- 0 + 1 = 1
- 0 + 2 = 2
- 0 + 3 = 3
So,
f
now becomes{1, 2, 3}
. -
Iteration Over Rows - Row 2: The second row is
[4, 5, 6]
. Now, we add each number in this row to each sum in the current setf
.New sums will be:
- 1 + 4 = 5, 1 + 5 = 6, 1 + 6 = 7
- 2 + 4 = 6, 2 + 5 = 7, 2 + 6 = 8
- 3 + 4 = 7, 3 + 5 = 8, 3 + 6 = 9
After adding these amounts,
f
now becomes{5, 6, 7, 8, 9}
. -
Iteration Over Rows - Row 3: The third row is
[7, 8, 9]
. Again, add each number in this row to each sum in the current setf
.Calculating the new sums, we get a multitude of values, but we're only interested in the unique ones:
- 5 + 7 = 12, 5 + 8 = 13, 5 + 9 = 14
- 6 + 7 = 13, 6 + 8 = 14, 6 + 9 = 15
- 7 + 7 = 14, 7 + 8 = 15, 7 + 9 = 16
- and so on for sums 8 and 9...
The resulting set
f
now consists of{12, 13, 14, 15, 16, ...}
along with other sums from the additions involving 8 and 9 from the third row. -
Finding Minimum Absolute Difference: Now we have a set of all possible sums. We must find the one which is closest to our
target
of 7.The absolute differences between each sum
v
in setf
and the target are calculated asabs(v - 7)
. The minimum difference here can be seen to be 0, which occurs for sum 7 (which is directly in our set after adding the first two rows).The closest sum to the target is the sum itself when it is present in the set. So, the solution returns 0, as this is the smallest absolute difference we can achieve.
Solution Implementation
1class Solution:
2 def minimizeTheDifference(self, mat: List[List[int]], target: int) -> int:
3 # Initialize a set containing just the element 0
4 # This set will hold all possible sums up till the current row
5 possible_sums = {0}
6
7 # Iterate over each row in the matrix
8 for row in mat:
9 # Use a set comprehension to generate all possible sums
10 # by adding each element in the current row to all possible sums calculated in the previous step
11 # This ensures we only consider sums that include exactly one element from each row
12 possible_sums = {elem + row_elem for elem in possible_sums for row_elem in row}
13
14 # Find the minimum absolute difference between any possible sum and the target
15 # This is done by iterating over all possible sums and computing the absolute difference with the target
16 min_difference = min(abs(sum_val - target) for sum_val in possible_sums)
17
18 # Return the minimum difference found
19 return min_difference
20
1class Solution {
2 public int minimizeTheDifference(int[][] mat, int target) {
3 // Initialize an array to keep track of possible sums using the first row.
4 boolean[] possibleSums = {true};
5
6 // Loop over each row in the matrix.
7 for (int[] row : mat) {
8 // Variable to keep track of the maximum element in the current row.
9 int maxElement = 0;
10 for (int element : row) {
11 maxElement = Math.max(maxElement, element);
12 }
13
14 // Extend the possible sums array to accommodate the new maximum element.
15 boolean[] newPossibleSums = new boolean[possibleSums.length + maxElement];
16
17 // Update new possible sums by adding each element in the current row
18 // to the sums calculated so far.
19 for (int element : row) {
20 for (int sumIndex = element; sumIndex < possibleSums.length + element; ++sumIndex) {
21 newPossibleSums[sumIndex] |= possibleSums[sumIndex - element];
22 }
23 }
24
25 // Move to the next set of possible sums.
26 possibleSums = newPossibleSums;
27 }
28
29 // Initialize the answer to a large number (infinity equivalent).
30 int minimumDifference = Integer.MAX_VALUE;
31
32 // Find the smallest difference between any possible sum and the target.
33 for (int sumIndex = 0; sumIndex < possibleSums.length; ++sumIndex) {
34 if (possibleSums[sumIndex]) {
35 minimumDifference = Math.min(minimumDifference, Math.abs(sumIndex - target));
36 }
37 }
38
39 // Return the minimum difference found.
40 return minimumDifference;
41 }
42}
43
1class Solution {
2public:
3 // Function to find the minimum absolute difference between the sum of elements from each row and the target value.
4 int minimizeTheDifference(vector<vector<int>>& mat, int target) {
5 // Initialize a vector 'possibleSums' representing possible sums with just one element set to 1 (meaning sum 0 is possible).
6 vector<int> possibleSums = {1};
7
8 // Iterate over each row in the matrix.
9 for (auto& row : mat) {
10 // Find the maximum element in the current row to determine the new size of 'nextPossibleSums'.
11 int maxElementInRow = *max_element(row.begin(), row.end());
12 vector<int> nextPossibleSums(possibleSums.size() + maxElementInRow);
13
14 // Compute the next state of possible sums by adding each element of the current row to the 'possibleSums'.
15 for (int element : row) {
16 for (int j = element; j < possibleSums.size() + element; ++j) {
17 nextPossibleSums[j] |= possibleSums[j - element];
18 }
19 }
20 // Move 'nextPossibleSums' to 'possibleSums' to use in the next iteration.
21 possibleSums = move(nextPossibleSums);
22 }
23
24 // Initialize 'minDifference' to a large number to find the minimum difference.
25 int minDifference = 1 << 30; // Equivalent to a large number using bit left shift.
26
27 // Iterate over all possible sums to calculate the smallest difference to 'target'.
28 for (int sum = 0; sum < possibleSums.size(); ++sum) {
29 if (possibleSums[sum]) {
30 minDifference = min(minDifference, abs(sum - target));
31 }
32 }
33
34 // Return the minimum absolute difference found.
35 return minDifference;
36 }
37};
38
1// Function to find the minimum element in an array using the reduce method.
2function maxElement(array: number[]): number {
3 return array.reduce((max, currentValue) => Math.max(max, currentValue));
4}
5
6// Function to find the minimum absolute difference between the sum of elements from each row and the target value.
7function minimizeTheDifference(mat: number[][], target: number): number {
8 // Initialize an array 'possibleSums' representing possible sums with just zero sum possible initially.
9 let possibleSums: number[] = [1];
10
11 // Iterate over each row in the matrix.
12 mat.forEach(row => {
13 // Find the maximum element in the current row to determine the new size of 'nextPossibleSums'.
14 const maxElementInRow = maxElement(row);
15 const nextPossibleSums: number[] = new Array(possibleSums.length + maxElementInRow).fill(0);
16
17 // Compute the next state of possible sums by adding each element of the current row to the 'possibleSums'.
18 row.forEach(element => {
19 for (let j = element; j < possibleSums.length + element; ++j) {
20 if (possibleSums[j - element]) {
21 nextPossibleSums[j] = 1;
22 }
23 }
24 });
25
26 // Update 'possibleSums' with newly computed 'nextPossibleSums'.
27 possibleSums = nextPossibleSums;
28 });
29
30 // Initialize 'minDifference' with a large number to ensure it is higher than any possible sum.
31 let minDifference = Infinity;
32
33 // Iterate over all possible sums to calculate the smallest difference to the 'target'.
34 possibleSums.forEach((value, sum) => {
35 if (value) {
36 minDifference = Math.min(minDifference, Math.abs(sum - target));
37 }
38 });
39
40 // Return the minimum absolute difference found.
41 return minDifference;
42}
43
Time and Space Complexity
The time complexity of the given code can be understood by analyzing the nested loops and the set comprehension. In the worst-case scenario, the set f
contains all possible sums that can be formed by adding the elements from each previous row of mat
to the existing sums in f
. If the maximum number of elements a row can contribute to the set is m
, and there are n
rows, the set can grow by a factor of up to m
with each iteration (each new row of mat
). Therefore, in the worst case, the time complexity is O(m^n)
. However, since each element of f
represents a unique sum and m
can be large, this is still a considerable amount of computation.
The space complexity is influenced by the size of the set f
. At any given point, f
holds all unique sums that can be formed with the current rows of mat
being processed. In the worst case, f
can grow to O(m^n)
unique sums. Therefore, the space complexity is also O(m^n)
.
To sum up:
- Time Complexity:
O(m^n)
- Space Complexity:
O(m^n)
Learn more about how to find time and space complexity quickly using problem constraints.
What is the best way of checking if an element exists in a sorted array once in terms of time complexity? Select the best that applies.
Recommended Readings
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!