2567. Minimum Score by Changing Two Elements
Problem Description
We are given an array of integers called nums
, where the indices start at 0. We need to find the score of the array, which is defined as the sum of its high score and low score. The high score is the maximum difference in value between any two distinct elements in the array, and the low score is the minimum difference in value between any two distinct elements in the array. In mathematical terms, for two indices i and j where 0 <= i < j < len(nums)
, high score is max(|nums[i] - nums[j]|
) and low score is min(|nums[i] - nums[j]|
).
However, we have the possibility to change the value of at most two elements in the array nums
to reduce the score to a minimum. Our task is to determine the minimum possible score after these changes, while recognizing that we can only perform at most two value modifications.
Note: |x|
in the description represents the absolute value of x.
Intuition
To minimize the score of an array, we need to look at both ends of the sorted array since the high score depends on the largest difference (which will be between the smallest and the largest elements) and the low score depends on the smallest non-zero difference (which will be between any two consecutive elements). Since we can change at most two elements, the ideal candidates for change are toward the ends of the sorted array to have the most significant impact on the high score.
Firstly, we sort the array to make it easier to find the candidates for the elements that we could potentially change to minimize the score. Once the array is sorted, we know that the high score comes from the difference between the first and the last element in the sorted array, and thus changing either of these will have the most significant impact on reducing the high score. Similarly, the low score will be affected if we change elements that are adjacent to each other and result in the smallest difference.
Hence, we need to determine the minimum score by changing at most two elements, considering:
- Changing the last element and/or the second to last element may minimize the high score.
- Changing the first element and/or the second element may minimize the low score.
Our solution checks the three possible scenarios where we can achieve the minimum score by:
- Changing the first and third elements, which affects both the high and low scores.
- Changing the second and last but one elements, which also affects both the high and low scores.
- Changing the first and last but two elements, yet again affecting both scores.
The minimizeSum
function sorts nums
and then returns the minimum score by evaluating the three listed score differences. We don't need to evaluate the difference between the first and second or last and second to last elements for the low score because, in the sorted array, changing either the first or the last two elements would yield the smallest possible low score regardless of the specific values of the adjacent elements.
Solution Approach
The implementation of the solution involves using a simple but effective algorithm that utilizes sorting and minimal computation. Here's how it works:
-
Sorting: First, the solution involves sorting the array
nums
. This is crucial as it allows us to easily access the values that will give us the highest and lowest scores. In sorted order, the smallest difference (low score) is between consecutive elements, and the largest difference (high score) is between the first and the last elements. -
Computing Differences: After sorting, the score is determined by the difference between specific elements of the array. We look at three possible pairs of elements whose values we would change to minimize the overall score:
-
The difference between the last and the third element (
nums[-1] - nums[2]
): This represents changing the first two elements to values close to the third element, which would potentially minimize both the high and low scores. -
The difference between the second to last and the second element (
nums[-2] - nums[1]
): This represents changing the last and the first element to values near the second element, affecting both ends of the sorted array. -
The difference between the third to last and the first element (
nums[-3] - nums[0]
): This represents changing the last two elements to values close to the first element, again potentially minimizing the high and low scores.
-
-
Choosing Minimum Difference: The solution then evaluates these three possible scores and returns the smallest one using the
min
function. The smallest value would be the minimum score achievable after changing at most two elements of thenums
array to bring them closer to the other elements, thereby minimizing the difference between them. -
Returning Result: Ultimately, the function
minimizeSum
returns the smallest of these three calculated differences, which corresponds to the minimum possible score for the arraynums
after changing at most two elements.
Here is the actual Python code snippet for the solution approach:
class Solution:
def minimizeSum(self, nums: List[int]) -> int:
nums.sort()
return min(nums[-1] - nums[2], nums[-2] - nums[1], nums[-3] - nums[0])
The use of sorting makes the algorithm efficient, and the straightforward computation of the three cases ensures that we consider all possible ways to reduce the overall score with up to two changes. The use of the built-in sort
method and min
function make the solution concise and elegant, relying on Python's rich standard library to handle the necessary computations efficiently.
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 assume we have an array nums
with the following elements: [4, 1, 2, 9]
. Here is how we can apply the solution approach step by step:
-
Sorting: We start by sorting the array
nums
. After sorting, our array becomes:[1, 2, 4, 9]
. -
Computing Differences: With the array sorted, we compute the differences for the three scenarios mentioned in the solution approach:
-
The difference between the last (9) and the third (4) element is
9 - 4 = 5
. This is the score if we modify the first two elements (1 and 2) to values close to the third element (4). -
The difference between the second to last (4) and the second (2) element is
4 - 2 = 2
. This is the score if we modify the first (1) and the last (9) element to values close to the second element (2). -
The difference between the third to last (2) and the first (1) element is
2 - 1 = 1
. This is the score if we modify the last two elements (4 and 9) to values close to the first element (1).
-
-
Choosing Minimum Difference: Out of the differences calculated (5, 2, and 1), the smallest one is 1. This represents the scenario where we change the last two elements to values close to the first element, potentially minimizing both the high and low scores.
-
Returning Result: The function
minimizeSum
would take our array and ultimately return1
, which is the minimum possible score after changing at most two elements in the array.
The code that would implement this solution for our sample array is as follows:
def minimizeSum(nums):
nums.sort()
return min(nums[-1] - nums[2], nums[-2] - nums[1], nums[-3] - nums[0])
# Example usage:
nums = [4, 1, 2, 9]
print(minimizeSum(nums)) # Prints 1, which is the minimum possible score
In this example, modifying the values at the end of the array has the greatest impact on reducing the score, so the optimization strategy is to adjust these elements to minimize the array's high and low scores as much as possible within the constraints of changing at most two elements.
Solution Implementation
1from typing import List
2
3class Solution:
4 def minimize_sum(self, nums: List[int]) -> int:
5 # Sort the list of numbers in non-decreasing order.
6 nums.sort()
7
8 # Calculate the minimum possible sum by considering the absolute difference
9 # between either the largest and third largest, the second largest and
10 # second smallest, or the third largest and the smallest number.
11 # This works since the list is sorted.
12 min_sum = min(
13 nums[-1] - nums[2], # Difference between the largest and third-largest number.
14 nums[-2] - nums[1], # Difference between the second-largest and second-smallest number.
15 nums[-3] - nums[0] # Difference between the third-largest and smallest number.
16 )
17
18 # Return the minimum sum calculated.
19 return min_sum
20
21# Example usage:
22# solution = Solution()
23# result = solution.minimize_sum([1, 2, 3, 4, 5])
24# print(result) # This would output the result of the minimize_sum function.
25
1class Solution {
2 public int minimizeSum(int[] nums) {
3 // Sort the array to establish a non-decreasing order
4 Arrays.sort(nums);
5 int length = nums.length;
6
7 // Calculate the three possible differences based on the given formula
8 // These differences seem to represent some form of calculation after sorting
9 // a corresponds to the difference between the last and third element from the start
10 int a = nums[length - 1] - nums[2];
11 // b corresponds to the difference between the second-to-last and second element
12 int b = nums[length - 2] - nums[1];
13 // c corresponds to the difference between the third-to-last and first element
14 int c = nums[length - 3] - nums[0];
15
16 // Return the minimum value among a, b, and c
17 // The goal is to find the smallest of these three differences
18 return Math.min(a, Math.min(b, c));
19 }
20}
21
1#include <vector>
2#include <algorithm> // Required for std::sort and std::min
3using namespace std;
4
5class Solution {
6public:
7 // Function to calculate the minimized sum
8 // Takes a vector of integers as the input
9 int minimizeSum(vector<int>& nums) {
10 // Sort the input array in non-decreasing order
11 sort(nums.begin(), nums.end());
12
13 // Calculate the size of the array once to avoid multiple calculations
14 int n = nums.size();
15
16 // To minimize the sum, we look at the three smallest values
17 // and the three largest values after sorting the array.
18 // We are considering three possibilities:
19 // 1. nums[n - 1] (last element) - nums[2] (third element)
20 // 2. nums[n - 2] (second to last element) - nums[1] (second element)
21 // 3. nums[n - 3] (third to last element) - nums[0] (first element)
22 // We return the minimum difference among these three
23 return min({
24 nums[n - 1] - nums[2],
25 nums[n - 2] - nums[1],
26 nums[n - 3] - nums[0]
27 });
28 }
29};
30
1// Function to minimize the sum difference between elements of an array
2// by removing any three elements.
3function minimizeSum(nums: number[]): number {
4 // First, sort the array in ascending order.
5 nums.sort((a, b) => a - b);
6
7 // Calculate the number of elements in the array.
8 const n = nums.length;
9
10 // Calculate the minimum difference after removing three elements.
11 // We consider three cases:
12 // - Removing the three largest elements.
13 // - Removing the two largest elements and the smallest element.
14 // - Removing the largest element and the two smallest elements.
15 // The minimum difference is found by taking the smallest difference from these cases.
16 // It's based on the fact that, to minimize the sum difference, we should remove
17 // elements from the ends of the sorted array.
18 return Math.min(
19 // Case 1: Remove the three largest elements.
20 nums[n - 1] - nums[3],
21 // Case 2: Remove the two largest and the smallest element.
22 nums[n - 2] - nums[2],
23 // Case 3: Remove the largest and the two smallest elements.
24 nums[n - 3] - nums[1]
25 );
26}
27
Time and Space Complexity
Time Complexity
The time complexity of the code is primarily determined by the sorting of the list nums
. The sort operation has a time complexity of O(n log n)
where n
is the number of elements in the list. Since the successive operations after the sorting take constant time, the overall time complexity of the function is O(n log n)
.
Space Complexity
The space complexity of the code is O(1)
. This is because the sorting is done in-place (assuming the sort method in Python is implemented in-place), and only a constant amount of extra space is used for variables in the calculations after sorting.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following is a good use case for backtracking?
Recommended Readings
Greedy Introduction div class responsive iframe iframe src https www youtube com embed WTslqPbj7I title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div When do we use greedy Greedy algorithms tend to solve optimization problems Typically they will ask you to calculate the max min of some value Commonly you may see this phrased in the problem as max min longest shortest largest smallest etc These keywords can be identified by just scanning
Sorting Summary Comparisons We presented quite a few sorting algorithms and it is essential to know the advantages and disadvantages of each one The basic algorithms are easy to visualize and easy to learn for beginner programmers because of their simplicity As such they will suffice if you don't know any advanced
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
Want a Structured Path to Master System Design Too? Don’t Miss This!