class Solution {
public:
vector<int> numSmallerByFrequency(vector<string>& queries, vector<string>& words) {
}
};
1170. 比较字符串最小字母出现频次
定义一个函数 f(s)
,统计 s
中(按字典序比较)最小字母的出现频次 ,其中 s
是一个非空字符串。
例如,若 s = "dcce"
,那么 f(s) = 2
,因为字典序最小字母是 "c"
,它出现了 2 次。
现在,给你两个字符串数组待查表 queries
和词汇表 words
。对于每次查询 queries[i]
,需统计 words
中满足 f(queries[i])
< f(W)
的 词的数目 ,W
表示词汇表 words
中的每个词。
请你返回一个整数数组 answer
作为答案,其中每个 answer[i]
是第 i
次查询的结果。
示例 1:
输入:queries = ["cbd"], words = ["zaaaz"] 输出:[1] 解释:查询 f("cbd") = 1,而 f("zaaaz") = 3 所以 f("cbd") < f("zaaaz")。
示例 2:
输入:queries = ["bbb","cc"], words = ["a","aa","aaa","aaaa"] 输出:[1,2] 解释:第一个查询 f("bbb") < f("aaaa"),第二个查询 f("aaa") 和 f("aaaa") 都 > f("cc")。
提示:
1 <= queries.length <= 2000
1 <= words.length <= 2000
1 <= queries[i].length, words[i].length <= 10
queries[i][j]
、words[i][j]
都由小写英文字母组成原站题解
python3 解法, 执行用时: 312 ms, 内存消耗: 15.6 MB, 提交时间: 2022-12-01 10:40:59
class Solution: def numSmallerByFrequency(self, queries: List[str], words: List[str]) -> List[int]: ret, queries_count, words_count = [], [], [] words_count = [word.count(min(word)) for word in words] for query in queries: c = query.count(min(query)) # 在 words_count 里数一下有多少是比 c 大的 ret.append(len([x for x in words_count if c < x])) return ret
java 解法, 执行用时: 1 ms, 内存消耗: 41.8 MB, 提交时间: 2022-12-01 10:39:08
class Solution { public int[] numSmallerByFrequency(String[] queries, String[] words) { //count用于统计words中所有单词的最小字母出现次数, //大小设置为12是为了避免下面进行判定的时候出现越界而做的冗余处理 int[] count = new int[12]; for (String word:words) count[counts(word)]++; //计算后缀和,现在count[i]表示最小字母出现次数大于或等于i的单词总数。 for (int i=9;i>=0;i--) count[i]+=count[i+1]; //结果数组 int[] result = new int[queries.length]; //遍历queries中的每个字符串,利用前面计算得到的count数组,可以直接得到答案。 for (int i=0;i<queries.length;i++) result[i]=count[counts(queries[i])+1]; return result; } //counts方法用于统计字符串s中最小字母出现的次数 private int counts(String s){ char c = s.charAt(0); int count = 1; for (int i=1;i<s.length();i++){ char temp = s.charAt(i); if (temp==c) count++; else if (temp<c){ c=temp; count=1; } } return count; } }
python3 解法, 执行用时: 52 ms, 内存消耗: 16.1 MB, 提交时间: 2022-12-01 10:36:40
from sortedcontainers import SortedList class Solution: def numSmallerByFrequency(self, queries: List[str], words: List[str]) -> List[int]: def check(word: str) -> int: k = word[0] freq = 0 for w in word: if w < k: k = w freq = 1 elif w == k: freq += 1 else: continue return freq lst = SortedList([check(word) for word in words]) n = len(words) return [n - lst.bisect_right(check(word)) for word in queries]