You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
#Given an array nums of n integers, are there elements a, b, c in nums such that a + b + c = 0? Find all unique triplets in the array which gives the sum of zero.
9
+
#
10
+
#Note:
11
+
#
12
+
#The solution set must not contain duplicate triplets.
13
+
#
14
+
#Example:
15
+
#
16
+
#Given array nums = [-1, 0, 1, 2, -1, -4],
17
+
#
18
+
#A solution set is:
19
+
#[
20
+
# [-1, 0, 1],
21
+
# [-1, -1, 2]
22
+
#]
23
+
classSolution:
24
+
defthreeSum(self, nums):
25
+
nums.sort() #Sort the input array
26
+
result=set() #Create empty set result
27
+
foriinrange(len(nums)): #Loop through list
28
+
tmp=-nums[i] #Create tmp which is negative of the list i's value
29
+
left, right=i+1, len(nums) -1#Create left and right which stores given values in loop
30
+
whileleft<right: #While left is less then right
31
+
sum=nums[left] +nums[right] #Create sum which stores the given equations value
32
+
ifsum<tmp: #Condition-check: if sum's value is less then tmp
33
+
left+=1#Increase the left value by 1.
34
+
elifsum>tmp#Condition-check: else if sum's value is greater than tmp
35
+
right-=1#Decrease the right value by 1.
36
+
else: #Condition-check: If we reach the target getting zero.
37
+
result.add((nums[i], nums[left], nums[j])) #Add those value in set one list by list.
0 commit comments