题目:
给你两个字符串:ransomNote
和 magazine
,判断 ransomNote
能不能由 magazine
里面的字符构成。
如果可以,返回 true
;否则返回 false
。
magazine
中的每个字符只能在 ransomNote
中使用一次。
思路:
想法一:
先使用map遍历magazine,字符数用值对表示,然后遍历ransomNote,若map里存在关键字,关键字-1,继续向后遍历,若值对为0,则表示不能,返回false
class Solution {
public:
bool canConstruct(string ransomNote, string magazine) {
unordered_map<char,int> m;
for(char ch : magazine){
++m[ch];
}
for(int i = 0;i < ransomNote.size();++i){
if(m[ransomNote[i]] > 0){
--m[ransomNote[i]];
}
else if(m[ransomNote[i]] == 0){
return false;
}
}
return true;
}
};
官方使用的是数组,二者异曲同工。
class Solution {
public:
bool canConstruct(string ransomNote, string magazine) {
if (ransomNote.size() > magazine.size()) {
return false;
}
vector<int> cnt(26);
for (auto & c : magazine) {
cnt[c - 'a']++;
}
for (auto & c : ransomNote) {
cnt[c - 'a']--;
if (cnt[c - 'a'] < 0) {
return false;
}
}
return true;
}
};
作者:力扣官方题解
链接:https://leetcode.cn/problems/ransom-note/solutions/1135839/shu-jin-xin-by-leetcode-solution-ji8a/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
标签:ransomNote,cnt,return,string,力扣,magazine,哈希,赎金,false
From: https://www.cnblogs.com/isku-ran/p/17117320.html