-
Notifications
You must be signed in to change notification settings - Fork 481
/
Copy path0018.cpp
43 lines (39 loc) · 1.38 KB
/
0018.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class Solution {
public:
vector<vector<int>> fourSum(vector<int>& nums, int target) {
if (nums.size() < 4)
return {};
std::sort(nums.begin(), nums.end());
std::unordered_map<long long, std::vector<std::pair<int, int>>> um;
for (int i = nums.size() - 1; i > 0; --i)
{
if (i < nums.size() - 1 && nums[i] == nums[i + 1])
continue;
for (int j = i - 1; j >= 0; --j)
{
if (i - j > 1 && nums[j] == nums[j + 1])
continue;
um[nums[i] + nums[j]].push_back({j, i});
}
}
std::vector<std::vector<int>> ret;
for (unsigned i = 0; i < nums.size() - 3; ++i)
{
if (i > 0 && nums[i] == nums[i - 1])
continue;
for (unsigned j = i + 1; j < nums.size() - 2; ++j)
{
if (j - i > 1 && nums[j] == nums[j - 1])
continue;
long long s = static_cast<long long>(nums[i]) + nums[j];
auto it = um.find(target - s);
if (it == um.end())
continue;
for (auto p : it->second)
if (p.first > j)
ret.push_back({nums[i], nums[j], nums[p.first], nums[p.second]});
}
}
return ret;
}
};