1002. 查找常用字符
题目描述:
https://leetcode-cn.com/problems/find-common-characters/
给定仅有小写字母组成的字符串数组 A,返回列表中的每个字符串中都显示的全部字符(包括重复字符)组成的列表。例如,如果一个字符在每个字符串中出现 3 次,但不是 4 次,则需要在最终答案中包含该字符 3 次。
你可以按任意顺序返回答案。
示例 1:
输入:[“bella”,”label”,”roller”]
输出:[“e”,”l”,”l”]
示例 2:
输入:[“cool”,”lock”,”cook”]
输出:[“c”,”o”]
用一个数组记录每个字符在每个字符串中出现的次数的最小值
1 class Solution { 2 public: 3 vector<string> commonChars(vector<string>& A) { 4 vector<int> minfreq(26, INT_MAX);//26个英文字母 INT_MAX整数最大值 5 vector<int> freq(26,0);///初始化为0 6 for (const string& word: A) { 7 // fill(freq.begin(), freq.end(), 0);//初始化为0 8 for (char ch: word) { 9 ++freq[ch - 'a'];// 10 } 11 for (int i = 0; i < 26; ++i) { 12 minfreq[i] = min(minfreq[i], freq[i]); 13 } 14 } 15 16 vector<string> ans; 17 for (int i = 0; i < 26; ++i) { 18 for (int j = 0; j < minfreq[i]; ++j) { 19 ans.emplace_back(1, i + 'a'); 20 } 21 } 22 return ans; 23 } 24 };
官方题解