leetcode 506. 相对名次(Relative Ranks)

题目描述:

给出 N 名运动员的成绩,找出他们的相对名次并授予前三名对应的奖牌。前三名运动员将会被分别授予 “金牌”,“银牌” 和“ 铜牌”("Gold Medal", "Silver Medal", "Bronze Medal")。

(注:分数越高的选手,排名越靠前。)

示例 1:

输入: [5, 4, 3, 2, 1]
输出: ["Gold Medal", "Silver Medal", "Bronze Medal", "4", "5"]
解释: 前三名运动员的成绩为前三高的,因此将会分别被授予 “金牌”,“银牌”和“铜牌” ("Gold Medal", "Silver Medal" and "Bronze Medal").
余下的两名运动员,我们只需要通过他们的成绩计算将其相对名次即可。

提示:

  1. N 是一个正整数并且不会超过 10000。
  2. 所有运动员的成绩都不相同。

解法:

# define PR pair<int, int>

class Solution {
public:
    string toString(int num){
        if(num == 1){
            return "Gold Medal";
        }else if(num == 2){
            return "Silver Medal";
        }else if(num == 3){
            return "Bronze Medal";
        }else{
            string res = "";
            while(num != 0){
                res = char(num%10 + '0') + res;
                num /= 10;
            }
            return res;
        }
    }
    
    vector<string> findRelativeRanks(vector<int>& nums) {
        int sz = nums.size();
        vector<PR> lst;
        for(int i = 0; i < sz; i++){
            lst.push_back(make_pair(-nums[i], i));
        }
        sort(lst.begin(), lst.end());
        vector<string> res(sz, "");
        for(int i = 0; i < sz; i++){
            // cout<<lst[i].first<<", "<<lst[i].second<<endl;
            res[lst[i].second] = toString(i+1);
        }
        return res;
    }
};

猜你喜欢

转载自www.cnblogs.com/zhanzq/p/10595021.html
今日推荐