Sunday, September 8, 2019

LeetCode [692] Top K Frequent Words

692. Top K Frequent Words
Medium
Given a non-empty list of words, return the k most frequent elements.
Your answer should be sorted by frequency from highest to lowest. If two words have the same frequency, then the word with the lower alphabetical order comes first.
Example 1:
Input: ["i", "love", "leetcode", "i", "love", "coding"], k = 2
Output: ["i", "love"]
Explanation: "i" and "love" are the two most frequent words.
    Note that "i" comes before "love" due to a lower alphabetical order.
Example 2:
Input: ["the", "day", "is", "sunny", "the", "the", "the", "sunny", "is", "is"], k = 4
Output: ["the", "is", "sunny", "day"]
Explanation: "the", "is", "sunny" and "day" are the four most frequent words,
    with the number of occurrence being 4, 3, 2 and 1 respectively.
Note:
  1. You may assume k is always valid, 1 ≤ k ≤ number of unique elements.
  2. Input words contain only lowercase letters.
Follow up:
  1. Try to solve it in O(n log k) time and O(n) extra space.
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
typedef pair<int, string> PAIR;
class Solution {
public:
    vector<string> topKFrequent(vector<string>& words, int k) {
        auto comp = [] (const PAIR& p1, const PAIR& p2){
            if(p1.first>p2.first) return true;
            return (p1.first==p2.first && p1.second<p2.second);
        };
        priority_queue<PAIR, vector<PAIR>, decltype(comp)> pq(comp);
        unordered_map<string, int> mp;
        for(auto& w:words){
            mp[w]++;
        }
        for(auto& p:mp){
            pq.emplace(p.second, p.first);
            if(pq.size()>k) pq.pop();
        }
        
        vector<string> ret;
        while(!pq.empty()){
            ret.push_back(pq.top().second);
            pq.pop();
        }
        reverse(ret.begin(), ret.end());
        return ret;
    }
};
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
//Java, Heap Sort.
    class Solution {
        public List<String> topKFrequent(String[] words, int k) {
            Map<String, Integer> freq = new HashMap<>();
            for(String w : words){
                freq.put(w, freq.getOrDefault(w, 0)+1);
            }

            PriorityQueue<Map.Entry<String, Integer>> pq = new PriorityQueue<>(
                (a,b) -> a.getValue()==b.getValue()?b.getKey().compareTo(a.getKey()):a.getValue()-b.getValue()
            );

            for(Map.Entry<String, Integer> e: freq.entrySet()){
                pq.add(e);
                if(pq.size()>k) pq.poll();
            }

            List<String> ret = new ArrayList<>();
            while(!pq.isEmpty()){
                ret.add(pq.poll().getKey());
            }
            Collections.reverse(ret);
            return ret;
        }
    }

No comments:

Post a Comment