給定乙個包含 n 個整數的陣列 nums,判斷 nums 中是否存在三個元素 a,b,c ,使得 a + b + c = 0 ?找出所有滿足條件且不重複的三元組。
注意:答案中不可以包含重複的三元組。
例如, 給定陣列 nums =[-
1,0,
1,2,
-1,-
4],滿足要求的三元組集合為:[[
-1,0
,1],
[-1,
-1,2
]]
重點在於排序+雙指標,
class
solution
;for
(int k =
0; k < nums.
size()
-2;++k));
while
(i < j && nums[i]
== nums[i+1]
)++i;
while
(i < j && nums[j]
== nums[j-1]
)--j;
++i;
--j;
}else
if(nums[i]
+ nums[j]
< target)
++i;
else
--j;}}
return res;}}
;
python
class
solution
(object):
defthreesum
(self, nums)
:"""
:type nums: list[int]
:rtype: list[list[int]]
"""n =
len(nums)
res =
if(n ==
0or n <3)
:return res
nums.sort(
)for i in
range
(n-1):
if(nums[i]
>0)
:return res
if(i >
0and nums[i]
== nums[i-1]
):continue
left = i +
1 right = n -
1while
(left < right):if
(nums[left]
+ nums[right]
+ nums[i]==0
):[nums[i]
,nums[left]
,nums[right]])
while
(left < right and nums[left]
== nums[left+1]
): left = left +
1while
(left < right and nums[right]
== nums[right -1]
): right = right -
1 left = left +
1 right = right -
1elif
(nums[left]
+ nums[right]
+ nums[i]
<0)
: left = left +
1else
: right = right -
1return res
LeetCode 15 三數之和
15.給定乙個包含 n 個整數的陣列 nums,判斷 nums 中是否存在三個元素 a,b,c 使得 a b c 0 找出所有滿足條件且不重複的三元組。注意 答案中不可以包含重複的三元組 方法一,個人解法正確,但是效率太低,時間複雜度o n 3 時間超時,無法提交至leetcode public s...
leetcode 15 三數之和
給定乙個包含 n 個整數的陣列nums,判斷nums中是否存在三個元素 a,b,c 使得 a b c 0 找出所有滿足條件且不重複的三元組。注意 答案中不可以包含重複的三元組。例如,給定陣列 nums 1,0,1,2,1,4 滿足要求的三元組集合為 1,0,1 1,1,2 class solutio...
leetcode15 三數之和
給定乙個包含 n 個整數的陣列nums,判斷nums中是否存在三個元素 a,b,c 使得 a b c 0 找出所有滿足條件且不重複的三元組。注意 答案中不可以包含重複的三元組。例如,給定陣列 nums 1,0,1,2,1,4 滿足要求的三元組集合為 1,0,1 1,1,2 先找兩數之和,然後再用un...