刷题日记06
第六天了!今天依然是哈希表
15.三数之和18.四数之和的解题思路是一样的。最开始想到的肯定是用哈希表来缓存数值,但这种思路非常麻烦,这里用的是双指针。值得注意的是双指针算法的必要条件,数组必须是排序后的。
那1.两数之和不能用双指针吗?理论上也可以,只是那道题要求返回索引值,就不能排序也不能用双指针了。
15. 三数之和
class Solution {
public List<List<Integer>> threeSum(int[] nums) {
List<List<Integer>> res = new ArrayList<>();
Arrays.sort(nums);
for(int i = 0; i < nums.length; i++){
if(nums[i] > 0) return res;
if(i > 0 && nums[i] == nums[i-1])
continue;
int left = i + 1;
int right = nums.length - 1;
while(left < right){
int sum = nums[i] + nums[left] + nums[right];
if(sum > 0){
right--;
}else if(sum < 0){
left++;
}else{
res.add(Arrays.asList(nums[i], nums[left], nums[right]));
while(left < right && nums[right] == nums[right-1])
right--;
while(left < right && nums[left] == nums[left+1])
left++;
left++;
right--;
}
}
}
return res;
}
}
18. 四数之和
class Solution {
public List<List<Integer>> fourSum(int[] nums, int target) {
List<List<Integer>> res = new ArrayList<>();
Arrays.sort(nums);
for(int i = 0; i < nums.length; i++){
if(nums[i] > 0 && nums[i] > target) return res;
if(i > 0 && nums[i] == nums[i-1]) continue;
for(int j = i + 1; j < nums.length; j++){
if(j > i + 1 && nums[j] == nums[j-1]) continue;
int left = j + 1;
int right = nums.length - 1;
while(left < right){
int sum = nums[i] + nums[j] + nums[left] + nums[right];
if(sum < target){
left++;
}else if(sum > target){
right--;
}else{
res.add(Arrays.asList(nums[i],nums[j],nums[left],nums[right]));
while(left < right && nums[right] == nums[right-1]) right--;
while(left < right && nums[left] == nums[left+1]) left++;
left++;
right--;
}
}
}
}
return res;
}
}
383. 赎金信
哈希表的简单应用,没什么细节的东西。
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
Map<Character, Integer> map = new HashMap<>();
for(char c: magazine.toCharArray()){
if(map.containsKey(c)){
map.put(c, map.get(c) + 1);
}else{
map.put(c, 1);
}
}
for(char c: ransomNote.toCharArray()){
if(map.containsKey(c)){
map.put(c, map.get(c) - 1);
}else{
return false;
}
}
for(Integer value: map.values()){
if(value < 0) return false;
}
return true;
}
}
454. 四数相加 II
这道题其实很好理解,可以把四数相加分解成两个两数相加,两数相加用的是哈希表,那四数相加的思路就很清晰了。
class Solution {
public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
int res = 0;
int temp;
Map<Integer, Integer> map = new HashMap<>();
for(int i : nums1){
for(int j : nums2){
temp = i + j;
if(map.containsKey(temp)){
map.put(temp, map.get(temp) + 1);
}else{
map.put(temp, 1);
}
}
}
for (int i : nums3) {
for (int j : nums4) {
temp = i + j;
if (map.containsKey(0 - temp)) {
res += map.get(0 - temp);
}
}
}
return res;
}
}