给定两个字符串?s ?和?t ?,编写一个函数来判断?t ?是否是?s ?的字母异位词。
注意:若?s ?和?t ?中每个字符出现的次数都相同,则称?s ?和?t ?互为字母异位词。
示例?1:
输入: s = "anagram", t = "nagaram"
输出: true
示例 2:
输入: s = "rat", t = "car"
输出: false
提示:
1 <= s.length, t.length <= 5 * 104 s ?和?t ?仅包含小写字母
进阶:?如果输入字符串包含 unicode 字符怎么办?你能否调整你的解法来应对这种情况?
思路:类似哈希表,用两个数组储存两个字符串遍历时每个字母出现的次数,若次数均一致,输出true
class Solution {
int s_count[26];
int t_count[26];
public:
bool isAnagram(string s, string t) {
if(s.length()!=t.length()){
return false;
}
for(char c : t) {
t_count[c-'a']++;
}
for(char c : s) {
s_count[c-'a']++;
}
for(int i = 0; i < 26; i++){
if(s_count[i]!=t_count[i]){
return false;
}
}
return true;
}
};
|