506 Relative Ranks
Problem:
Input: [5, 4, 3, 2, 1]
Output: ["Gold Medal", "Silver Medal", "Bronze Medal", "4", "5"]
Explanation: The first three athletes got the top three highest scores, so they got "Gold Medal", "Silver Medal" and "Bronze Medal".
For the left two athletes, you just need to output their relative ranks according to their scores.Solutions:
public class Solution {
public String[] findRelativeRanks(int[] nums) {
if (nums == null) {
return null;
}
String[] result = new String[nums.length];
HashMap<Integer, Integer> index = new HashMap<Integer, Integer>();
for (int i = 0; i < nums.length; i ++) {
index.put(nums[i], i);
}
Arrays.sort(nums);
String[] prizes = new String[]{"Gold Medal", "Silver Medal", "Bronze Medal"};
for (int i = nums.length - 1; i >= 0; i --) {
int rank = nums.length - 1 - i;
if (rank < 3) {
result[index.get(nums[i])] = prizes[rank];
}
else {
result[index.get(nums[i])] = "" + (rank + 1);
}
}
return result;
}
}Last updated