3684. Maximize Sum of At Most K Distinct Elements
Description
You are given a positive integer array nums
and an integer k
.
Choose at most k
elements from nums
so that their sum is maximized. However, the chosen numbers must be distinct.
Return an array containing the chosen numbers in strictly descending order.
Example 1:
Input: nums = [84,93,100,77,90], k = 3
Output: [100,93,90]
Explanation:
The maximum sum is 283, which is attained by choosing 93, 100 and 90. We rearrange them in strictly descending order as [100, 93, 90]
.
Example 2:
Input: nums = [84,93,100,77,93], k = 3
Output: [100,93,84]
Explanation:
The maximum sum is 277, which is attained by choosing 84, 93 and 100. We rearrange them in strictly descending order as [100, 93, 84]
. We cannot choose 93, 100 and 93 because the chosen numbers must be distinct.
Example 3:
Input: nums = [1,1,1,2,2,2], k = 6
Output: [2,1]
Explanation:
The maximum sum is 3, which is attained by choosing 1 and 2. We rearrange them in strictly descending order as [2, 1]
.
Constraints:
1 <= nums.length <= 100
1 <= nums[i] <= 109
1 <= k <= nums.length
Solutions
Solution 1: Sorting
We first sort the array \(\textit{nums}\), then iterate from the end to the beginning, selecting the largest \(k\) distinct elements. Since we require a strictly decreasing order, we skip duplicate elements during selection.
The time complexity is \(O(n \times \log n)\), where \(n\) is the length of the \(\textit{nums}\) array. Ignoring the space used for the answer, the space complexity is \(O(\log n)\).
1 2 3 4 5 6 7 8 9 10 11 12 13 |
|
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
|
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 |
|
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
|
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 |
|