//给定两个字符串 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 * 10⁴
// s 和 t 仅包含小写字母
//
//
//
//
// 进阶: 如果输入字符串包含 unicode 字符怎么办?你能否调整你的解法来应对这种情况?
//
// Related Topics 哈希表 字符串 排序 👍 898 👎 0
import java.util.Arrays;
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
public boolean isAnagram(String s, String t) {
//法1,api法
/* if (s.length() != t.length()) {
return false;
}
char[] s1 = s.toCharArray();
char[] s2 = t.toCharArray();
Arrays.sort(s1);
Arrays.sort(s2);
return Arrays.equals(s1,s2);*/
// 法2,哈希法
if (s.length() != t.length()) {
return false;
}
int[] c1=new int[26];
for (int i = 0; i < s.length(); i++) {
c1[s.charAt(i)-'a']++;
}
for (int i = 0; i < t.length(); i++) {
c1[t.charAt(i)-'a']--;
if(c1[t.charAt(i)-'a']<0){
return false;
}
}
return true;
}
}
//leetcode submit region end(Prohibit modification and deletion)
19 easy 242. 有效的字母异位词
最新推荐文章于 2024-11-18 22:29:24 发布