有效的字母异位词 (242)
使用哈希表的数组结构
public class Hash_zimuyiwei {
public boolean isAnagram(String s, String t) {
int[] record = new int[26];
for (int i = 0; i < s.length(); i++) {
record[s.charAt(i) - 'a']++; // 并不需要记住字符a的ASCII,只要求出一个相对数值就可以了
}
for (int i = 0; i < t.length(); i++) {
record[t.charAt(i) - 'a']--;
}
// for (int count: record) {
// if (count != 0) { // record数组如果有的元素不为零0,说明字符串s和t 一定是谁多了字符或者谁少了字符。
// return false;
// }
// }
for(int i1 = 0; i1<26;i1++) {
if (record[i1] != 0) {
return false;
}
}
return true; // record数组所有元素都为零0,说明字符串s和t是字母异位词
}
}
两个数组的交集 (349)
使用的哈希表的Set结构,以前只会单纯的数组遍历然后去重,现在知道更好的方法了
import java.util.HashSet;
import java.util.Set;
public class Hash_set_shuzujiaoji {
public int[] intersection(int[] nums1, int[] nums2) {
if (nums1 == null || nums1.length == 0 || nums2 == null || nums2.length == 0) {
return new int[0];
}
Set<Integer> set1 = new HashSet<>();
Set<Integer> resSet = new HashSet<>();
//遍历数组1
for (int i : nums1) {
set1.add(i);
}
//遍历数组2的过程中判断哈希表中是否存在该元素
for (int i : nums2) {
if (set1.contains(i)) {
resSet.add(i);
}
}
//方法1:将结果集合转为数组
// return resSet.stream().mapToInt(x -> x).toArray();
//方法2:另外申请一个数组存放setRes中的元素,最后返回数组
int size = resSet.size();
int[] arr = new int[size];
int j = 0;
for(int i : resSet){
arr[j++] = i;
}
return arr;
}
}
快乐数 (202)
主要的问题有两个,第一个是怎么求一个整数的各个位数的平方相加,第二个是怎么设置无限循环并且返回一个布尔值
public class Hash_set_kuaileshu {
public boolean isHappy(int n) {
Set<Integer> record = new HashSet<>();
while (n != 1 && !record.contains(n)) {
record.add(n);
n = getNextNumber(n);
}
return n == 1;
}
private int getNextNumber(int n) {
int res = 0;
while (n > 0) {
int temp = n % 10;
res += temp * temp;
n = n / 10;
}
return res;
}
}
两数相加(1)
leetcode第一题属于是给自己上了一课,原本我的想法是双指针,以后对于数组的元素遍历可以试试哈希表的Map结构,分别存储数组的元素和索引值,就不用设置两层循环来遍历数组了
public class Hash_map_sum {
public int[] twoSum(int[] nums, int target) {
int[] res = new int[2];
if(nums == null || nums.length == 0){
return res;
}
Map<Integer, Integer> map = new HashMap<>();
for(int i = 0; i < nums.length; i++){
int temp = target - nums[i]; // 遍历当前元素,并在map中寻找是否有匹配的key
if(map.containsKey(temp)){
res[1] = i;
res[0] = map.get(temp);
break;
}
map.put(nums[i], i); // 如果没找到匹配对,就把访问过的元素和下标加入到map中
}
return res;
}
}