Skip to content

Commit 5be74b5

Browse files
committed
Adding Simple Solution for Problem - 15 - 3Sum
1 parent 984fa4d commit 5be74b5

File tree

1 file changed

+40
-0
lines changed

1 file changed

+40
-0
lines changed

3_Sum/SimpleSolution.py

+40
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,40 @@
1+
##==================================
2+
## Leetcode
3+
## Student: Vandit Jyotindra Gajjar
4+
## Year: 2020
5+
## Problem: 15
6+
## Problem Name: 3Sum
7+
##===================================
8+
#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+
class Solution:
24+
def threeSum(self, nums):
25+
nums.sort() #Sort the input array
26+
result = set() #Create empty set result
27+
for i in range(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+
while left < right: #While left is less then right
31+
sum = nums[left] + nums[right] #Create sum which stores the given equations value
32+
if sum < tmp: #Condition-check: if sum's value is less then tmp
33+
left += 1 #Increase the left value by 1.
34+
elif sum > 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.
38+
left += 1 #Increase left by 1
39+
right -= 1 #Decrease right by 1.
40+
return result #We return the final solution set.

0 commit comments

Comments
 (0)