454. 四数相加 II
使用哈希表,轻松得出答案:
- 循环遍历前
nums1
/nums2
的和 放入map
- 循环遍历后两个
nums3
/nums4
的和 取相反数 在map中寻找次数
class Solution {
public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
int count = 0;
int n = nums1.length;
Map<Integer, Integer> map = new HashMap<>();
for(int i : nums1){
for(int j : nums2){
int sum = i+j;
map.put(sum, map.getOrDefault(sum, 0) + 1);
}
}
for(int i : nums3){
for(int j : nums4){
count += map.getOrDefault(0 - i - j, 0);
}
}
return count;
}
}
383. 赎金信
使用哈希表,遍历一个存各单词出现的次数
再遍历另一个数组,如果哈希表中没有就返回false,有就次数减去1,如果次数小于0返回false
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
char[] magazineArray = magazine.toCharArray();
char[] ransomNoteArray = ransomNote.toCharArray();
Map<Character,Integer> map = new HashMap<>();
for(Character c : magazineArray){
map.put(c, map.getOrDefault(c, 0) + 1);
}
for(Character c : ransomNoteArray){
if(!map.containsKey(c)) return false;
map.put(c,map.get(c) - 1);
if(map.get(c) < 0) return false;
}
return true;
}
}
15. 三数之和
双指针
但要注意 去重
class Solution {
public List<List<Integer>> threeSum(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
Arrays.sort(nums);
// 找出a + b + c = 0
// a = nums[i], b = nums[left], c = nums[right]
for (int i = 0; i < nums.length; i++) {
// 排序之后如果第一个元素已经大于零,那么无论如何组合都不可能凑成三元组,直接返回结果就可以了
if (nums[i] > 0) {
return result;
}
if (i > 0 && nums[i] == nums[i - 1]) { // 去重a
continue;
}
int left = i + 1;
int right = nums.length - 1;
while (right > left) {
int sum = nums[i] + nums[left] + nums[right];
if (sum > 0) {
right--;
} else if (sum < 0) {
left++;
} else {
result.add(Arrays.asList(nums[i], nums[left], nums[right]));
// 去重逻辑应该放在找到一个三元组之后,对b 和 c去重
while (right > left && nums[right] == nums[right - 1]) right--;
while (right > left && nums[left] == nums[left + 1]) left++;
right--;
left++;
}
}
}
return result;
}
}
18. 四数之和
双指针
但要注意 去重
三重循环
class Solution {
public List<List<Integer>> fourSum(int[] nums, int target) {
List<List<Integer>> result = new ArrayList<>();
Arrays.sort(nums);
for (int i = 0; i < nums.length; i++) {
// nums[i] > target 直接返回, 剪枝操作
if (nums[i] > 0 && nums[i] > target) {
return result;
}
if (i > 0 && nums[i - 1] == nums[i]) { // 对nums[i]去重
continue;
}
for (int j = i + 1; j < nums.length; j++) {
if (j > i + 1 && nums[j - 1] == nums[j]) { // 对nums[j]去重
continue;
}
int left = j + 1;
int right = nums.length - 1;
while (right > left) {
// nums[k] + nums[i] + nums[left] + nums[right] > target int会溢出
long sum = (long) nums[i] + nums[j] + nums[left] + nums[right];
if (sum > target) {
right--;
} else if (sum < target) {
left++;
} else {
result.add(Arrays.asList(nums[i], nums[j], nums[left], nums[right]));
// 对nums[left]和nums[right]去重
while (right > left && nums[right] == nums[right - 1]) right--;
while (right > left && nums[left] == nums[left + 1]) left++;
left++;
right--;
}
}
}
}
return result;
}
}