
Sponsored
Sponsored
The primary idea of this approach is to first sort the array so that elements which are closer in value are positioned adjacent to each other. This can help in reducing the maximum difference within selected pairs when paired greedily. Once sorted, the greedy approach looks to form pairs consecutively and calculate the differences. By doing so repetitively and minimizing the maximum difference, an optimal solution is achieved.
Time Complexity: O(n log n), dominated by the sorting step.
Space Complexity: O(1), if we ignore the space used by the sorting algorithm.
1#include <iostream>
2#include <vector>
3#include <algorithm>
4
5int minimizeMaxDifference(std::vector<int>& nums, int p) {
6 std::sort(nums.begin(), nums.end());
7 int left = 0, right = nums[nums.size() - 1] - nums[0];
8 while (left < right) {
9 int mid = (left + right) / 2;
10 int count = 0;
11 for (int i = 1; i < nums.size() && count < p; ++i) {
12 if (nums[i] - nums[i - 1] <= mid) {
13 count++;
14 i++; // Skip the next index to ensure each number is used at most once
15 }
16 }
17 if (count >= p) right = mid;
18 else left = mid + 1;
19 }
20 return left;
21}
22
23int main() {
24 std::vector<int> nums = {10, 1, 2, 7, 1, 3};
25 int p = 2;
26 std::cout << minimizeMaxDifference(nums, p) << std::endl;
27 return 0;
28}This C++ code follows the same logic as the C solution using STL functionalities to sort the vector and carry out a binary search to find the optimal maximum difference for forming pairs.
This approach also begins by sorting the input array, but tackles the problem by employing a min-heap (priority queue). The idea is to manage the smallest differences available and decide pairs greedily based on this. The heap helps efficiently remove and manage differences, ensuring that the maximum difference in the formed pairs remains minimal.
Time Complexity: O(n log n) due to the heap operations.
Space Complexity: O(n) for holding the differences.
1from heapq import heappush, heappop
2
3
In this Python code, we sort the array and then push all possible adjacent differences into a min-heap. We then pop the smallest difference and form pairs while keeping track of used elements until the required number of pairs is formed.