티스토리 뷰
문제 설명
n개의 음이 아닌 정수들이 있습니다. 이 정수들을 순서를 바꾸지 않고 적절히 더하거나 빼서 타겟 넘버를 만들려고 합니다. 예를 들어 [1, 1, 1, 1, 1]로 숫자 3을 만들려면 다음 다섯 방법을 쓸 수 있습니다.
-1+1+1+1+1 = 3
+1-1+1+1+1 = 3
+1+1-1+1+1 = 3
+1+1+1-1+1 = 3
+1+1+1+1-1 = 3
사용할 수 있는 숫자가 담긴 배열 numbers, 타겟 넘버 target이 매개변수로 주어질 때 숫자를 적절히 더하고 빼서 타겟 넘버를 만드는 방법의 수를 return 하도록 solution 함수를 작성해주세요.
제한사항- 주어지는 숫자의 개수는 2개 이상 20개 이하입니다.
- 각 숫자는 1 이상 50 이하인 자연수입니다.
- 타겟 넘버는 1 이상 1000 이하인 자연수입니다.
[1, 1, 1, 1, 1] | 3 | 5 |
[4, 1, 2, 1] | 4 | 2 |
입출력 예 #1
문제 예시와 같습니다.
입출력 예 #2
+4+1-2+1 = 4
+4-1+2-1 = 4
- 총 2가지 방법이 있으므로, 2를 return 합니다.
<DFS> 재귀함수 사용
def solution(numbers, target):
cnt = 0
def dfs(idx, total):
if idx == len(numbers):
if total == target:
nonlocal cnt
cnt += 1
return
dfs(idx+1, total + numbers[idx])
dfs(idx+1, total - numbers[idx])
dfs(0,0)
return cnt
<BFS que사용>
from collections import deque
def solution(numbers, target):
cnt = 0
q = deque()
q.append((0, 0))
while q:
total, idx = q.popleft()
if idx < len(numbers):
q.append((total + numbers[idx] ,idx + 1))
q.append((total - numbers[idx] ,idx + 1))
else:
if total == target:
cnt += 1
return cnt
< 프로그래머스 쌈박한 방법 1> - product로 여러개의 리스트 조합 만들어서 해결
from itertools import product
def solution(numbers, target):
l = [(x, -x) for x in numbers]
s = list(map(sum, product(*l)))
return s.count(target)
< 프로그래머스 쌈박한 방법 2> - 재귀함수를 효율적으로 작성해서 해결
def solution(numbers, target):
if not numbers and target == 0 :
return 1
elif not numbers:
return 0
else:
return solution(numbers[1:], target-numbers[0]) + solution(numbers[1:], target+numbers[0])
'코딩테스트 > 백준 알고리즘' 카테고리의 다른 글
[백준] 1753 <다익스트라> 최단경로 - python (0) | 2022.04.11 |
---|---|
[백준] 17780 새로운 게임 - python (0) | 2022.04.07 |
[프로그래머스] LV.2 <heap> 더 맵게 - python (0) | 2022.03.31 |
[프로그래머스] LV.1 <카카오> 신고 결과 받기- python (0) | 2022.03.29 |
[프로그래머스] LV.1 <그리디> 체육복- python (0) | 2022.03.27 |