1、242. 有效的字母异位词
时间复杂度O(m+n) 空间复杂度O(1)
class Solution {
public boolean isAnagram(String s, String t) {
//使用一个哈希表,长度为26个字母大小
int [] ch = new int[26];
//先插入s的每一个元素,有一个就累加一个
for(int i=0;i<s.length();i++){
ch[s.charAt(i)-'a']++; //因为都是小写字母,所以减去a,就是一个1-26的数字
}
//再遍历t,从哈希表中遇到一个就减去一个
for(int i=0;i<t.length();i++){
ch[t.charAt(i)-'a']--; //因为都是小写字母,所以减去a,就是一个1-26的数字
}
//最后遍历一次,如果遇到一个不为0的值,就说明匹配失败
for(int i=0;i<ch.length;i++){
if(ch[i]!=0) return false;
}
return true;
}
}
2、349. 两个数组的交集
class Solution {
public int[] intersection(int[] nums1, int[] nums2) {
//实现思路:找到交集的元素,又要返回唯一一个,使用两个HashSet
if(nums1.length == 0||nums2.length ==0) return new int[0];
HashSet<Integer> set1 = new HashSet<>();
HashSet<Integer> set2 = new HashSet<>();
for(int i=0;i<nums1.length;i++){
set1.add(nums1[i]);
}
for(int i=0;i<nums2.length;i++){
if(set1.contains(nums2[i])){
set2.add(nums2[i]);
}
}
//返回
int arr[] = new int[set2.size()];
int j=0;
for(int num : set2){
arr[j++] = num;
}
return arr;
}
}
3、202. 快乐数
class Solution {
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;
}
//考虑如何将n进行分割,分割后,每一位自己乘自己,然后相加
//19 取余数 19%10=9,19/10=1,1%10=1
private int getNextNumber(int n) {
int res =0;
while(n>0){
int temp = n%10; //得余数
res += temp*temp;
n = n/10; //移位
}
return;
}
}
4、1. 两数之和
class Solution {
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;
}
}