3Sum - LeetCode
Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.
leetcode.com
<문제>
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.
Notice that the solution set must not contain duplicate triplets.
<예시>
Input: nums = [-1,0,1,2,-1,-4]
Output: [[-1,-1,2],[-1,0,1]]
나이브하게 풀이하면 O(n^3)이 나오는 문제인데, 최대한 O(n^2)으로 바꿀 수 있도록 노력하였다.
# 나의 풀이
def solution_1(nums: List[int]) -> List[List[int]]:
nums.sort()
num_to_idx = {}
for i, num in enumerate(nums):
num_to_idx[num] = i
# result = []
result = set() # set 사용하니 time exceeded 문제 해결!
for i in range(len(nums)-2):
for j in range(i+1, len(nums)-1):
find_value = -(nums[i]+nums[j])
if find_value in num_to_idx and num_to_idx[find_value] > j:
# result.append([nums[i], nums[j], find_values])
result.add((nums[i], nums[j], find_value))
return list(result)
아래의 코드는 two-pointer를 활용한 코드인데,
세 수의 합을 구하는데, two-pointer 개념을 잘 활용해서 매우 좋은 코드인 것 같다.
닮고 싶은 풀이 ...
# https://leetcode.com/problems/3sum/discuss/404887/Python3-solution-extend-from-sum-2
# two pointer 이용한 풀이 (추천)
def solution_2(nums: List[int]) -> List[List[int]]:
nums.sort() # 정렬
result = set()
for i in range(len(nums)-2):
left_ptr = i+1
right_ptr = len(nums)-1
while left_ptr < right_ptr:
sum_val = nums[i]+nums[left_ptr]+nums[right_ptr]
if sum_val == 0:
result.add((nums[i], nums[left_ptr], nums[right_ptr]))
left_ptr += 1
right_ptr -= 1
elif sum_val < 0:
left_ptr += 1
else:
right_ptr -= 1
return list(result)
'다전공_컴퓨터공학 > 알고리즘 문제풀이' 카테고리의 다른 글
[파이썬 알고리즘] 7장 배열 - 자신을 제외한 배열의 곱 (product of array except self) (0) | 2020.11.13 |
---|---|
[파이썬 알고리즘] 7장 배열 - 배열 파티션 (array partition) (0) | 2020.11.13 |
[파이썬 알고리즘] 7장 배열 - 빗물 트래핑 (trapping rain water) (0) | 2020.11.13 |
[파이썬 알고리즘] 7장 배열 - 두 수의 합 (two-sum) (0) | 2020.11.13 |
[파이썬 알고리즘] 6장 - 문자열 조작 (longest palindrome substring) ⭐ (0) | 2020.11.03 |