There is a set of n
items. You are given two integer arrays values
and labels
where the value and the label of the ith
element are values[i]
and labels[i]
respectively. You are also given two integers numWanted
and useLimit
.
Choose a subset s
of the n
elements such that:
- The size of the subset
s
is less than or equal tonumWanted
. - There are at most
useLimit
items with the same label ins
.
The score of a subset is the sum of the values in the subset.
Return the maximum score of a subset s
.
Example 1:
Input: values = [5,4,3,2,1], labels = [1,1,2,2,3], numWanted = 3, useLimit = 1 Output: 9 Explanation: The subset chosen is the first, third, and fifth items.
Example 2:
Input: values = [5,4,3,2,1], labels = [1,3,3,3,2], numWanted = 3, useLimit = 2 Output: 12 Explanation: The subset chosen is the first, second, and third items.
Example 3:
Input: values = [9,8,8,7,6], labels = [0,0,0,1,1], numWanted = 3, useLimit = 1 Output: 16 Explanation: The subset chosen is the first and fourth items.
Constraints:
n == values.length == labels.length
1 <= n <= 2 * 104
0 <= values[i], labels[i] <= 2 * 104
1 <= numWanted, useLimit <= n
class Solution:
def largestValsFromLabels(
self, values: List[int], labels: List[int], numWanted: int, useLimit: int
) -> int:
arr = list(zip(values, labels))
arr.sort(reverse=True)
cnt = Counter()
ans = num = 0
for v, l in arr:
if cnt[l] < useLimit:
cnt[l] += 1
num += 1
ans += v
if num == numWanted:
break
return ans
class Solution {
public int largestValsFromLabels(int[] values, int[] labels, int numWanted, int useLimit) {
int n = values.length;
int[][] p = new int[n][2];
for (int i = 0; i < n; ++i) {
p[i] = new int[] {values[i], labels[i]};
}
Arrays.sort(p, (a, b) -> b[0] - a[0]);
int ans = 0;
int num = 0;
Map<Integer, Integer> counter = new HashMap<>();
for (int i = 0; i < n && num < numWanted; ++i) {
int v = p[i][0], l = p[i][1];
if (counter.getOrDefault(l, 0) < useLimit) {
counter.put(l, counter.getOrDefault(l, 0) + 1);
ans += v;
++num;
}
}
return ans;
}
}
class Solution {
public:
int largestValsFromLabels(vector<int>& values, vector<int>& labels, int numWanted, int useLimit) {
int n = values.size();
vector<pair<int, int>> p;
for (int i = 0; i < n; ++i) p.emplace_back(values[i], labels[i]);
sort(p.begin(), p.end());
unordered_map<int, int> counter;
int ans = 0, num = 0;
for (int i = n - 1; i >= 0 && num < numWanted; --i) {
int v = p[i].first, l = p[i].second;
if (counter[l] < useLimit) {
++counter[l];
++num;
ans += v;
}
}
return ans;
}
};
func largestValsFromLabels(values []int, labels []int, numWanted int, useLimit int) int {
var p [][]int
for i, v := range values {
p = append(p, []int{v, labels[i]})
}
sort.Slice(p, func(i, j int) bool {
return p[i][0] > p[j][0]
})
counter := make(map[int]int)
ans, num := 0, 0
for _, t := range p {
if num >= numWanted {
break
}
v, l := t[0], t[1]
if counter[l] < useLimit {
counter[l]++
num++
ans += v
}
}
return ans
}