383.赎金信

【LetMeFly】383.赎金信:计数

力扣题目链接:https://leetcode.cn/problems/ransom-note/

给你两个字符串:ransomNotemagazine ,判断 ransomNote 能不能由 magazine 里面的字符构成。

如果可以,返回 true ;否则返回 false

magazine 中的每个字符只能在 ransomNote 中使用一次。

 

示例 1:

输入:ransomNote = "a", magazine = "b"
输出:false

示例 2:

输入:ransomNote = "aa", magazine = "ab"
输出:false

示例 3:

输入:ransomNote = "aa", magazine = "aab"
输出:true

 

提示:

  • 1 <= ransomNote.length, magazine.length <= 105
  • ransomNotemagazine 由小写英文字母组成

方法一:计数

使用一个大小为$26$的整数数组$cnt$,$cnt[i]$代表第$i$个小写字母的“可用个数”。

遍历字符串$magazine$并将其字符出现次数累加;遍历字符串$ransomNote$并将其字符出现次数“累减”,若无次数可减,则返回false

遍历完未返回false,则返回true

  • 时间复杂度$O(len(ransomNote) + len(magazine))$
  • 空间复杂度$O(C)$,其中$C=26$

AC代码

C++

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Solution {
public:
bool canConstruct(string ransomNote, string magazine) {
int cnt[26] = {0};
for (char c : magazine) {
cnt[c - 'a']++;
}
for (char c : ransomNote) {
if (!cnt[c - 'a']) {
return false;
}
cnt[c - 'a']--;
}
return true;
}
};

Python

1
2
3
4
5
6
7
8
9
10
class Solution:
def canConstruct(self, ransomNote: str, magazine: str) -> bool:
cnt = [0] * 26
for c in magazine:
cnt[ord(c) - 97] += 1
for c in ransomNote:
if not cnt[ord(c) - 97]:
return False
cnt[ord(c) - 97] -= 1
return True

同步发文于CSDN,原创不易,转载经作者同意后请附上原文链接哦~
Tisfy:https://letmefly.blog.csdn.net/article/details/135438384


383.赎金信
https://blog.letmefly.xyz/2024/01/07/LeetCode 0383.赎金信/
作者
Tisfy
发布于
2024年1月7日
许可协议