Skip to content

Latest commit

 

History

History

1086

Folders and files

NameName
Last commit message
Last commit date

parent directory

..
 
 

Given a list of the scores of different students, items, where items[i] = [IDi, scorei] represents one score from a student with IDi, calculate each student's top five average.

Return the answer as an array of pairs result, where result[j] = [IDj, topFiveAveragej] represents the student with IDj and their top five average. Sort result by IDj in increasing order.

A student's top five average is calculated by taking the sum of their top five scores and dividing it by 5 using integer division.

 

Example 1:

Input: items = [[1,91],[1,92],[2,93],[2,97],[1,60],[2,77],[1,65],[1,87],[1,100],[2,100],[2,76]]
Output: [[1,87],[2,88]]
Explanation: 
The student with ID = 1 got scores 91, 92, 60, 65, 87, and 100. Their top five average is (100 + 92 + 91 + 87 + 65) / 5 = 87.
The student with ID = 2 got scores 93, 97, 77, 100, and 76. Their top five average is (100 + 97 + 93 + 77 + 76) / 5 = 88.6, but with integer division their average converts to 88.

Example 2:

Input: items = [[1,100],[7,100],[1,100],[7,100],[1,100],[7,100],[1,100],[7,100],[1,100],[7,100]]
Output: [[1,100],[7,100]]

 

Constraints:

  • 1 <= items.length <= 1000
  • items[i].length == 2
  • 1 <= IDi <= 1000
  • 0 <= scorei <= 100
  • For each IDi, there will be at least five scores.

Companies:
Goldman Sachs

Related Topics:
Array, Hash Table, Sorting

Solution 1. Sorting

// OJ: https://leetcode.com/problems/high-five/
// Author: github.com/lzl124631x
// Time: O(NlogN)
// Space: O(N)
class Solution {
public:
    vector<vector<int>> highFive(vector<vector<int>>& A) {
        map<int, vector<int>> m;
        for (auto &v : A) m[v[0]].push_back(v[1]);
        vector<vector<int>> ans;
        for (auto &[id, scores] : m) {
            sort(begin(scores), end(scores), greater());
            ans.push_back({ id, accumulate(begin(scores), begin(scores) + 5, 0) / 5 });
        }
        return ans;
    }
};

Solution 2. Heap

// OJ: https://leetcode.com/problems/high-five/
// Author: github.com/lzl124631x
// Time: O(NlogN)
// Space: O(N)
class Solution {
public:
    vector<vector<int>> highFive(vector<vector<int>>& A) {
        map<int, priority_queue<int, vector<int>, greater<>>> m;
        for (auto &v : A) {
            m[v[0]].push(v[1]);
            if (m[v[0]].size() > 5) m[v[0]].pop();
        }
        vector<vector<int>> ans;
        for (auto &[id, scores] : m) {
            int score = 0;
            while (scores.size()) {
                score += scores.top();
                scores.pop();
            }
            ans.push_back({ id, score / 5 });
        }
        return ans;
    }
};