目录
题目描述:
解题思路:
C++代码:
python代码:
题目描述:
给定一个包含 n 个整数的数组 nums
和一个目标值 target
,判断 nums
中是否存在四个元素 a,b,c 和 d ,使得 a + b + c + d 的值与 target
相等?找出所有满足条件且不重复的四元组。
注意:
答案中不可以包含重复的四元组。
示例:
给定数组 nums = [1, 0, -1, 0, -2, 2],和 target = 0。满足要求的四元组集合为:
[[-1, 0, 0, 1],[-2, -1, 1, 2],[-2, 0, 0, 2]
]
解题思路:
先排序,在定四个索引: a, b, c, d; 其中a, b依次从头到尾开始遍历,c定在b+1,d定在nums.size()-1, 然后c, d慢慢靠拢。如果nums[a] + nums[b] + nums[c] + nums[d] > target,在前面基数a,b固定的情况下,则只能移动d--,才能使和变小,才有可能找到相等的索引,反之如果C++代码:
执行用时:112 ms, 在所有 C++ 提交中击败了20.99%的用户
内存消耗:12.6 MB, 在所有 C++ 提交中击败了87.95%的用户
class Solution {
public:vector> fourSum(vector& nums, int target) {int len_nums &#61; nums.size();if (len_nums <4) return {};sort(nums.begin(), nums.end());vector> ans;for (int i &#61; 0; i 0 && nums[i] &#61;&#61; nums[i-1]) continue; // 后面的数字和前面的重复了&#xff0c;则直接跳过for (int j &#61; i&#43;1; j i&#43;1 && nums[j] &#61;&#61; nums[j-1]) continue; // 后面的数字和前面的重复了&#xff0c;则直接跳过int L &#61; j&#43;1; // L指向四个数中第三个元素int R &#61; len_nums-1;while (L targetif (nums[i]&#43;nums[j]-target > -(nums[L]&#43;nums[R])) R--; // 大了&#xff0c;则移动右边else if (nums[i]&#43;nums[j]-target <-(nums[L]&#43;nums[R])) L&#43;&#43;; // 小了&#xff0c;则移动左边else{ans.push_back({nums[i], nums[j], nums[L], nums[R]}); // 找到了合适的&#xff0c;如果后面元素重复则跳过while (L };
python代码&#xff1a;
执行用时&#xff1a;476 ms, 在所有 Python 提交中击败了64.67%的用户
内存消耗&#xff1a;13 MB, 在所有 Python 提交中击败了78.96%的用户
class Solution(object):def fourSum(self, nums, target):""":type nums: List[int]:type target: int:rtype: List[List[int]]"""len_nums &#61; len(nums)if len_nums <4: return []nums.sort() # 有序数组ans &#61; []for i in range(len_nums - 3):if i > 0 and nums[i] &#61;&#61; nums[i-1]: continue # 重复了&#xff0c;则跳过for j in range(i &#43; 1, len_nums - 2):if j > i&#43;1 and nums[j] &#61;&#61; nums[j-1]: continueL &#61; j &#43; 1R &#61; len_nums - 1while L target:R &#61; R - 1elif sum_val