1. 题目描述
2. 解题思路
对于统计类的题目,哈希表仍然是一个非常好的工具,这一道题可以通过统计字符串中的字符出现个数解决,字符串s中出现了则计数 +1,t中出现了则计数 -1,具体可以有两种思路:一是,遍历完成后检查哈希表中是否value都为0;二是,在遍历过程中遇到计数为0了就从哈希表中移除,最后检查哈希表是否为空。
两种方法的性能表现都区别不大,并且不是太理想,那还有什么高级的方法吗?我突然想起之前用过异或的骚操作,这里能不能用呢?试了一下发现不行,“aa”和“bb”异或为0,无法避免,那如果我加上ascii码判断呢?还是不行,对于“xaaddy”和“xbbccy”同样无法避免,遂放弃。
看了一眼官解,大道至简啊!怎么就只顾着想用哈希表,忘了用最原始的数组呢?毕竟现在已经知道英文字母只有26个,可以直接使用数组进行统计了。
3. 代码实现
3.1 哈希表统计 一
public boolean isAnagram(String s, String t) {
if (s.length() != t.length())
return false;
HashMap<Character, Integer> hashMap = new HashMap<>();
for (int i = 0; i < s.length(); i++) {
char ss = s.charAt(i);
if (hashMap.containsKey(ss))
hashMap.put(ss, hashMap.get(ss) + 1);
else
hashMap.put(ss, 1);
char tt = t.charAt(i);
if (hashMap.containsKey(tt))
hashMap.put(tt, hashMap.get(tt) - 1);
else
hashMap.put(tt, -1);
}
Set<Character> set = hashMap.keySet();
for (Character character : set) {
if (hashMap.get(character) != 0)
return false;
}
return true;
}
3.2 哈希表统计 二
public boolean isAnagram(String s, String t) {
if (s.length() != t.length())
return false;
HashMap<Character, Integer> hashMap = new HashMap<>();
for (int i = 0; i < s.length(); i++) {
char ss = s.charAt(i);
if (hashMap.containsKey(ss)) {
if (hashMap.get(ss) == -1)
hashMap.remove(ss);
else
hashMap.put(ss, hashMap.get(ss) + 1);
} else
hashMap.put(ss, 1);
char tt = t.charAt(i);
if (hashMap.containsKey(tt)) {
if (hashMap.get(tt) == 1)
hashMap.remove(tt);
else
hashMap.put(tt, hashMap.get(tt) - 1);
} else
hashMap.put(tt, -1);
}
return hashMap.isEmpty();
}
3.3 数组统计 一
public boolean isAnagram(String s, String t) {
if (s.length() != t.length())
return false;
int[] table = new int[26];
for (int i = 0; i < s.length(); i++) {
table[s.charAt(i) - 'a']++;
}
for (int i = 0; i < t.length(); i++) {
table[t.charAt(i) - 'a']--;
if (table[t.charAt(i) - 'a'] < 0)
return false;
}
return true;
}
这是本道题提交答案的最优表现。
3.4 数组统计 二
public boolean isAnagram(String s, String t) {
if (s.length() != t.length())
return false;
int[] table = new int[26];
for (int i = 0; i < s.length(); i++) {
table[s.charAt(i) - 'a']++;
table[t.charAt(i) - 'a']--;
}
for (int a : table) {
if (a != 0)
return false;
}
return true;
}
3.5 对比
四种方法的时间复杂度都是O(n),但哈希表与基础的数组之间差别还是挺大的,能用简单的方法解决就别用复杂的就对了,然后对于空间复杂度而言,同样数组的是O(1),只需要存储26个英文字母,而哈希表的其实也可以的等同于O(1),它所储存的元素只会小于等于26。