Given an array nums of n integers, return an array of all the unique quadruplets [nums[a], nums[b], nums[c], nums[d]] such that:

  • 0 <= a, b, c, d < n
  • a, b, c, and d are distinct.
  • nums[a] + nums[b] + nums[c] + nums[d] == target

You may return the answer in any order.

 

Example 1:

Input: nums = [1,0,-1,0,-2,2], target = 0 Output: [[-2,-1,1,2],[-2,0,0,2],[-1,0,0,1]]

Example 2:

Input: nums = [2,2,2,2,2], target = 8 Output: [[2,2,2,2]]

 

Constraints:

  • 1 <= nums.length <= 200
  • -109 <= nums[i] <= 109
  • -109 <= target <= 109
class Solution {
public:
    vector<vector<int>> fourSum(vector<int>& nums, long target) {
        vector<vector<int>> ans;
        sort(nums.begin(), nums.end());
        long left, right, sum;
        if (nums.size() >= 4)
        {
            for (int i = 0; i < nums.size() - 3; i++)
            {
                if (i > 0 && nums[i] == nums[i - 1]) continue;

                for (int j = i + 1; j < nums.size() - 2; j++)
                {
                    if (j > i + 1 && nums[j] == nums[j - 1]) continue;

                    left = j + 1;
                    right = nums.size() - 1;

                    while (left < right)
                    {
                        sum = (long)nums[i] + (long)nums[j] + (long)nums[left] + (long)nums[right];

                        if (sum < target) left++;
                        else if (sum > target) right--;
                        else
                        {
                            ans.push_back({ nums[i], nums[j], nums[left], nums[right] });

                            while (left < right && nums[left] == ans[ans.size() - 1][2]) left++;
                            while (left < right && nums[right] == ans[ans.size() - 1][3]) right--;
                        }
                    }
                }
            }
        }
        return ans;
    }
};

'Challenge' 카테고리의 다른 글

[Codility] GenomicRangeQuery  (0) 2021.10.09
[LeetCode] Remove Nth Node From End of List  (0) 2021.10.07
[LeetCode] Letter Combinations of a Phone Number  (0) 2021.10.06
[LeetCode] 3Sum Closest  (0) 2021.10.06
[LeetCode] 3Sum  (0) 2021.10.06

+ Recent posts