leetcode之最常见的单词

2020-11-09 11:00:57 浏览数 (1)

本文主要记录一下leetcode之最常见的单词

题目

代码语言:javascript复制
给定一个段落 (paragraph) 和一个禁用单词列表 (banned)。返回出现次数最多,同时不在禁用列表中的单词。

题目保证至少有一个词不在禁用列表中,而且答案唯一。

禁用列表中的单词用小写字母表示,不含标点符号。段落中的单词不区分大小写。答案都是小写字母。


来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/most-common-word
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解

代码语言:javascript复制
class Solution {
    public String mostCommonWord(String paragraph, String[] banned) {
        Set<String> bannedSet = new HashSet<>();
        for (String ban : banned) {
            bannedSet.add(ban);
        }

        Map<String,Integer> countMap = new HashMap<>();
        String[] words = paragraph.toLowerCase().replaceAll("[^a-z]"," ").split("\s ");
        for (String word : words) {
            if (bannedSet.contains(word)) {
                continue;
            }
            countMap.put(word, countMap.getOrDefault(word, 0)   1);
        }

        int max = 0;
        String result = "";
        for (Map.Entry<String,Integer> entry : countMap.entrySet()) {
            if (max < entry.getValue()) {
                max = entry.getValue();
                result = entry.getKey();
            }
        }
        return result;
    }
}

小结

这里使用Map来统计单词,并使用Set来查询是否为禁用词,若为禁用词则不加入Map中统计,最后遍历Map取出计数最大的单词。

doc

  • 最常见的单词

0 人点赞