Top K Frequent Words

/*
 本算法答案由上岸科技提供。
 上岸科技是一个专致力于高效培养北美留学生拥有实际面试能力的团体。
 我们采用小班化线上,线下教学让学生更快,更好的学习到想要的知识。
 团队主要由一群怀揣情怀于美国高校毕业的一线IT公司工程师构成。
 我们坚信对于求职者算法并不是全部,合理的技巧加上适当的算法培训能够大大的提升求职成功概率也能大大减少刷题的痛苦。
 正如我们的信仰:我们教的是如何上岸而不仅是算法。
 更多信息请关注官网:https://www.shanganonline.com/
*/
class Solution {
    public List<String> topKFrequent(String[] words, int k) {
        if (words == null) {
            return Collections.emptyList();
        }
        Map<String, Integer> map = new HashMap<>();
        for (String word : words) {
            map.compute(word, (key, v) -> v == null ? 1 : v + 1);
        }
        Queue<String> pq = new PriorityQueue<>(Comparator.<String>comparingInt(map::get)
            .thenComparing(Comparator.reverseOrder()));
        for (String word : map.keySet()) {
            pq.offer(word);
            if (pq.size() > k) {
                pq.poll();
            }
        }
        
        LinkedList<String> result = new LinkedList<>();
        while (!pq.isEmpty()) {
            result.addFirst(pq.poll());
        }
        return result;
    }
}

Last updated