C++刷leetcode(1626. 无矛盾的最佳球队)【动态规划】
题目描述:假设你是球队的经理。对于即将到来的锦标赛,你想组合一支总体得分最高的球队。球队的得分是球队中所有球员的分数 总和 。
然而,球队中的矛盾会限制球员的发挥,所以必须选出一支 没有矛盾 的球队。如果一名年龄较小球员的分数 严格大于 一名年龄较大的球员,则存在矛盾。同龄球员之间不会发生矛盾。
给你两个列表 scores 和 ages,其中每组 scores 和 ages 表示第 i 名球员的分数和年龄。请你返回 所有可能的无矛盾球队中得分最高那支的分数 。
示例 1:
输入:scores = , ages =
输出:34
解释:你可以选中所有球员。
示例 2:
输入:scores = , ages =
输出:16
解释:最佳的选择是后 3 名球员。注意,你可以选中多个同龄球员。
示例 3:
输入:scores = , ages =
输出:6
解释:最佳的选择是前 3 名球员。
提示:
1 <= scores.length, ages.length <= 1000
scores.length == ages.length
1 <= scores <= 106
1 <= ages <= 1000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/best-team-with-no-conflicts
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
class Solution {
public:
int bestTeamScore(vector<int>& scores, vector<int>& ages) {
priority_queue<pair<int, int>, vector<pair<int, int> >, greater<pair<int, int> > >temp;
int len = scores.size();
for(int i = 0; i < len; i++){
temp.push(make_pair(scores, ages));
}
vector<pair<int, int> > store;
while(!temp.empty()){
store.push_back(temp.top());
temp.pop();
}
vector<int> dp(len, 0);
for(int i = 0; i < len; i++){
dp = store.first;
}
int res = 0;
//dp指用新排序的第i个元素作为最后的元素能得到的最大值
for(int i = 0; i < len; i++){
for(int j = 0; j < i; j++){
if(store.second <= store.second){
dp = max(dp, dp + store.first);
}
}
res = max(res, dp);
}
return res;
}
}; 先排序再使用动态规划{:10_297:}
页:
[1]