728x90
- https://programmers.co.kr/learn/courses/30/lessons/43165
문제 설명
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 이하인 자연수입니다.
입출력 예
numbers | target | return |
[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 합니다.
풀이
1. 입력된 숫자를 순차적으로 하나씩 탐색하여 target 과 맞는 결과가 몇개인지를 확인 한다.
2. 위와 같이 탐색을 위해서 dfs 혹은 bfs 를 이용하여 탐색 한다.
코드
import java.util.*
class Solution {
private var answer = 0
fun solution(numbers: IntArray, target: Int): Int {
//dfs(numbers, 0, target, 0)
bfs(numbers, target)
return answer
}
// dfs 로 푸는 과정
private fun dfs(nums: IntArray, index: Int, target: Int, sum: Int) {
if (index == nums.size) {
if (sum == target) answer++
} else {
dfs(nums, index + 1, target, sum + nums[index])
dfs(nums, index + 1, target, sum - nums[index])
}
}
// bfs 로 푸는 과정
private fun bfs(nums: IntArray, target: Int) {
val queue = LinkedList<Num>()
queue.add(Num(nums[0], 0))
queue.add(Num(-nums[0], 0))
while (!queue.isEmpty()) {
val next = queue.poll()
//println("next : ${next.sum}, ${next.cnt}")
if (next.cnt == nums.size - 1) {
if (next.sum == target) {
answer++
//println("answer : $answer")
}
continue
}
val value1 = next.sum + nums[next.cnt + 1]
queue.add(Num(value1, next.cnt + 1))
val value2 = next.sum - nums[next.cnt + 1]
queue.add(Num(value2, next.cnt + 1))
}
}
}
private data class Num(val sum: Int, val cnt: Int)
728x90
'알고리즘 > 그래프(dfs, bfs)' 카테고리의 다른 글
[KOTLIN] 소수 찾기 (0) | 2022.03.02 |
---|---|
[KOTLIN] 거리두기 확인하기 (0) | 2022.02.21 |