原文链接: https://leetcode-cn.com/problems/minimum-number-of-steps-to-make-two-strings-anagram
英文原文
Given two equal-size strings s
and t
. In one step you can choose any character of t
and replace it with another character.
Return the minimum number of steps to make t
an anagram of s
.
An Anagram of a string is a string that contains the same characters with a different (or the same) ordering.
Example 1:
Input: s = "bab", t = "aba" Output: 1 Explanation: Replace the first 'a' in t with b, t = "bba" which is anagram of s.
Example 2:
Input: s = "leetcode", t = "practice" Output: 5 Explanation: Replace 'p', 'r', 'a', 'i' and 'c' from t with proper characters to make t anagram of s.
Example 3:
Input: s = "anagram", t = "mangaar" Output: 0 Explanation: "anagram" and "mangaar" are anagrams.
Example 4:
Input: s = "xxyyzz", t = "xxyyzz" Output: 0
Example 5:
Input: s = "friend", t = "family" Output: 4
Constraints:
1 <= s.length <= 50000
s.length == t.length
s
andt
contain lower-case English letters only.
中文题目
给你两个长度相等的字符串 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
只包含小写英文字母
通过代码
高赞题解
遍历字符串s
和t
,记录每个字母在两个字符串中的次数的差值,用正数表示s
中的次数大于t
中的次数,用负数表示s
中的次数小于t
中的次数。由于s
和t
的长度相同,所有字母的次数差值的和为0,即所有正差值的和等于所有负差值的和的绝对值。将负差值的字母替换成正差值的字母即可。因此计算所有正差值的和即为所求答案。
class Solution {
public int minSteps(String s, String t) {
int length = s.length();
int[] counts = new int[26];
for (int i = 0; i < length; i++) {
char c1 = s.charAt(i), c2 = t.charAt(i);
counts[c1 - 'a']++;
counts[c2 - 'a']--;
}
int steps = 0;
for (int i = 0; i < 26; i++) {
if (counts[i] > 0)
steps += counts[i];
}
return steps;
}
}
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
8205 | 11039 | 74.3% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|