1347. 制造字母异位词的最小步骤数
题目描述
给你两个长度相等的字符串 s
和 t
。每一个步骤中,你可以选择将 t
中的 任一字符 替换为 另一个字符。
返回使 t
成为 s
的字母异位词的最小步骤数。
字母异位词 指字母相同,但排列不同(也可能相同)的字符串。
示例 1:
输出:s = "bab", t = "aba" 输出:1 提示:用 'b' 替换 t 中的第一个 'a',t = "bba" 是 s 的一个字母异位词。
示例 2:
输出:s = "leetcode", t = "practice" 输出:5 提示:用合适的字符替换 t 中的 'p', 'r', 'a', 'i' 和 'c',使 t 变成 s 的字母异位词。
示例 3:
输出:s = "anagram", t = "mangaar" 输出:0 提示:"anagram" 和 "mangaar" 本身就是一组字母异位词。
示例 4:
输出:s = "xxyyzz", t = "xxyyzz" 输出:0
示例 5:
输出:s = "friend", t = "family" 输出:4
提示:
1 <= s.length <= 50000
s.length == t.length
s
和t
只包含小写英文字母
解法
方法一:计数
我们可以使用一个哈希表或者数组 $\textit{cnt}$ 来统计字符串 $\textit{s}$ 中每个字符出现的次数,然后遍历字符串 $\textit{t}$,对于每个字符,我们在 $\textit{cnt}$ 中将其出现的次数减一,如果减一后的值小于 $0$,说明这个字符在字符串 $\textit{t}$ 中出现的次数比在字符串 $\textit{s}$ 中多,我们需要将这个字符替换掉,将答案加一。
遍历结束后,返回答案即可。
时间复杂度 $O(m + n)$,空间复杂度 $O(|\Sigma|)$,其中 $m$ 和 $n$ 分别是字符串 $\textit{s}$ 和 $\textit{t}$ 的长度,而 $|\Sigma|$ 是字符集的大小,本题中字符集为小写字母,因此 $|\Sigma| = 26$。
Python3
class Solution:
def minSteps(self, s: str, t: str) -> int:
cnt = Counter(s)
ans = 0
for c in t:
cnt[c] -= 1
ans += cnt[c] < 0
return ans
Java
class Solution {
public int minSteps(String s, String t) {
int[] cnt = new int[26];
for (char c : s.toCharArray()) {
cnt[c - 'a']++;
}
int ans = 0;
for (char c : t.toCharArray()) {
if (--cnt[c - 'a'] < 0) {
ans++;
}
}
return ans;
}
}
C++
class Solution {
public:
int minSteps(string s, string t) {
int cnt[26]{};
for (char c : s) {
++cnt[c - 'a'];
}
int ans = 0;
for (char c : t) {
if (--cnt[c - 'a'] < 0) {
++ans;
}
}
return ans;
}
};
Go
func minSteps(s string, t string) (ans int) {
cnt := [26]int{}
for _, c := range s {
cnt[c-'a']++
}
for _, c := range t {
cnt[c-'a']--
if cnt[c-'a'] < 0 {
ans++
}
}
return
}
TypeScript
function minSteps(s: string, t: string): number {
const cnt: number[] = Array(26).fill(0);
for (const c of s) {
++cnt[c.charCodeAt(0) - 97];
}
let ans = 0;
for (const c of t) {
if (--cnt[c.charCodeAt(0) - 97] < 0) {
++ans;
}
}
return ans;
}
JavaScript
/**
* @param {string} s
* @param {string} t
* @return {number}
*/
var minSteps = function (s, t) {
const cnt = Array(26).fill(0);
for (const c of s) {
++cnt[c.charCodeAt(0) - 97];
}
let ans = 0;
for (const c of t) {
if (--cnt[c.charCodeAt(0) - 97] < 0) {
++ans;
}
}
return ans;
};