给定一个赎金信 (ransom) 字符串和一个杂志(magazine)字符串,判断第一个字符串 ransom 能不能由第二个字符串 magazines 里面的字符构成。如果可以构成,返回 true ;否则返回 false。
(题目说明:为了不暴露赎金信字迹,要从杂志上搜索各个需要的字母,组成单词来表达意思。杂志字符串中的每个字符只能在赎金信字符串中使用一次。)
注意:
你可以假设两个字符串均只含有小写字母。
canConstruct("a", "b") -> false
canConstruct("aa", "ab") -> false
canConstruct("aa", "aab") -> true
正解
将两个字符串的字母以及出现个数均存入不同的哈希表中,进行比较;map1有的map2必须也有且个数比map1相同或要多
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
Map<Character, Integer> map1 = new HashMap<>();
Map<Character, Integer> map2 = new HashMap<>();
boolean flag = true;
for (int i = 0; i < ransomNote.length(); i++) {
if (map1.containsKey(ransomNote.charAt(i))) {
map1.put(ransomNote.charAt(i), map1.get(ransomNote.charAt(i)) + 1);
} else {
map1.put(ransomNote.charAt(i), 1);
}
}
for (int i = 0; i < magazine.length(); i++) {
if (map2.containsKey(magazine.charAt(i))) {
map2.put(magazine.charAt(i), map2.get(magazine.charAt(i)) + 1);
} else {
map2.put(magazine.charAt(i), 1);
}
}
for (Map.Entry<Character, Integer> entry : map1.entrySet()) {
if (map2.get(entry.getKey()) == null) {
flag = false;
break;
} else if (map1.get(entry.getKey()) > map2.get(entry.getKey())) {
flag = false;
break;
}
}
return flag;
}
}
在本题的情况下,使用map的空间消耗要比数组大一些的,因为map要维护红黑树或者哈希表,而且还要做哈希函数,是费时的!数据量大的话就能体现出来差别了。 所以数组更加简单直接有效!
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
//记录杂志字符串出现的次数
int[] arr = new int[26];
int temp;
for (int i = 0; i < magazine.length(); i++) {
temp = magazine.charAt(i) - 'a';
arr[temp]++;
}
for (int i = 0; i < ransomNote.length(); i++) {
temp = ransomNote.charAt(i) - 'a';
//对于金信中的每一个字符都在数组中查找
//找到相应位减一,否则找不到返回false
if (arr[temp] > 0) {
arr[temp]--;
} else {
return false;
}
}
return true;
}
}