题目描述
给定两个字符串 s
和 t
,编写一个函数来判断它们是不是一组变位词(字母异位词)。
注意:若 s
和 t
中每个字符出现的次数都相同且字符顺序不完全相同,则称 s
和 t
互为变位词(字母异位词)。
示例 1:
输入: s = "anagram", t = "nagaram"
输出: true
示例 2:
输入: s = "rat", t = "car"
输出: false
示例 3:
输入: s = "a", t = "a"
输出: false
提示:
1 <= s.length, t.length <= 5 * 104
s
and t
仅包含小写字母
进阶: 如果输入字符串包含 unicode 字符怎么办?你能否调整你的解法来应对这种情况?
注意:本题与主站 242 题相似(字母异位词定义不同):https://leetcode.cn/problems/valid-anagram/
解法
方法一:计数
如果字符串 $s$ 与字符串 $t$ 长度不相等,或者字符串 $s$ 与字符串 $t$ 完全相等,那么 $s$ 和 $t$ 一定不是变位词,返回 false
。
否则,我们用一个长度为 $26$ 的数组 $cnt$ 维护字符串 $s$ 中每个字母出现的次数与字符串 $t$ 中每个字母出现的次数的差值。如果 $cnt$ 数组的所有元素都为 $0$,则 $s$ 和 $t$ 互为变位词,返回 true
,否则返回 false
。
时间复杂度 $O(m + n + |\Sigma|)$,空间复杂度 $O(|\Sigma|)$,其中 $m$ 和 $n$ 分别是字符串 $s$ 和 $t$ 的长度,而 $|\Sigma|$ 是字符集,在本题中字符集为所有小写字母,因此 $|\Sigma| = 26$。
| class Solution:
def isAnagram(self, s: str, t: str) -> bool:
if len(s) != len(t) or s == t:
return False
return Counter(s) == Counter(t)
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20 | class Solution {
public boolean isAnagram(String s, String t) {
int m = s.length();
int n = t.length();
if (m != n || s.equals(t)) {
return false;
}
int[] cnt = new int[26];
for (int i = 0; i < m; ++i) {
++cnt[s.charAt(i) - 'a'];
--cnt[t.charAt(i) - 'a'];
}
for (int x : cnt) {
if (x != 0) {
return false;
}
}
return true;
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21 | class Solution {
public:
bool isAnagram(string s, string t) {
int m = s.size();
int n = t.size();
if (m != n || s == t) {
return false;
}
vector<int> cnt(26);
for (int i = 0; i < m; ++i) {
++cnt[s[i] - 'a'];
--cnt[t[i] - 'a'];
}
for (int x : cnt) {
if (x) {
return false;
}
}
return true;
}
};
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17 | func isAnagram(s string, t string) bool {
m, n := len(s), len(t)
if m != n || s == t {
return false
}
cnt := [26]int{}
for i, c := range s {
cnt[c-'a']++
cnt[t[i]-'a']--
}
for _, x := range cnt {
if x != 0 {
return false
}
}
return true
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13 | function isAnagram(s: string, t: string): boolean {
const m = s.length;
const n = t.length;
if (m !== n || s === t) {
return false;
}
const cnt: number[] = new Array(26).fill(0);
for (let i = 0; i < m; ++i) {
++cnt[s[i].charCodeAt(0) - 'a'.charCodeAt(0)];
--cnt[t[i].charCodeAt(0) - 'a'.charCodeAt(0)];
}
return cnt.every(x => x === 0);
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24 | class Solution {
func isAnagram(_ s: String, _ t: String) -> Bool {
let m = s.count
let n = t.count
if m != n || s == t {
return false
}
var cnt = [Int](repeating: 0, count: 26)
for (sc, tc) in zip(s, t) {
cnt[Int(sc.asciiValue! - Character("a").asciiValue!)] += 1
cnt[Int(tc.asciiValue! - Character("a").asciiValue!)] -= 1
}
for x in cnt {
if x != 0 {
return false
}
}
return true
}
}
|