반응형
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- upper_bound
- boj #19237 #어른 상어
- 13908
- msSQL
- 물채우기
- softeer
- @P0
- 매개변수탐색
- 처우협의
- 백준
- 퇴사통보
- 처우산정
- 6987
- 기술면접
- BOJ
- dfs
- incr
- Docker
- 성적평가
- Kafka
- 오퍼레터
- BFS
- 파라메트릭
- 이분탐색
- 소프티어
- 경력
- compose
- 백트래킹
- OFFSET
- 연결요소
Archives
- Today
- Total
기술 블로그
1182번 부분집합의 합 본문
728x90
반응형
백트래킹 문제이다.
이 문제에서 기억해야할 것
1. 그 다음 숫자를 더하는 경우, 안 더하는 경우 2가지 모두 생각해야한다.
https://www.acmicpc.net/problem/1182
<정답 코드 첫 번째>
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 | #include <iostream> #include <queue> #include <cstdio> #include <vector> #include <cstring> #include <string> #include <math.h> #include <algorithm> using namespace std; int N = 0, S = 0; int num[21] = { 0, }; int ans = 0; void DFS(int sum, int pos) { if (pos == N) { if (sum == S) { ++ans; } return; } DFS(sum + num[pos], pos + 1); // 바로 그 다음에 있는 숫자를 더하는 경우 DFS(sum, pos + 1); // 바로 그 다음에 있는 숫자를 더하지 않는 경우 } int main(void) { scanf("%d %d", &N, &S); for (int i = 0; i < N; i++) { scanf("%d", &num[i]); } DFS(0, 0); if (S == 0) --ans; // S가 0일 때, 1을 감소해주는 이유는 // DFS(0, 1) → DFS(0, 2) → DFS(0, 3) → DFS(0, 4) → DFS(0, 5) 일 경우 // (= 아예 아무것도 안 더한 경우.왜냐하면 ans가 0부터 시작) 가 있기 때문이다. printf("%d\n", ans); return 0; } | cs |
<정답 코드 두 번째>
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 | #include <iostream> #include <queue> #include <cstdio> #include <vector> #include <cstring> #include <string> #include <math.h> #include <algorithm> using namespace std; int N = 0, S = 0; int num[21] = { 0, }; int ans = 0; void DFS(int sum, int pos) { if (pos >= N) return; sum += num[pos]; if (sum == S) { ++ans; } DFS(sum - num[pos], pos + 1); DFS(sum, pos + 1); } int main(void) { scanf("%d %d", &N, &S); for (int i = 0; i < N; i++) { scanf("%d", &num[i]); } DFS(0, 0); printf("%d\n", ans); return 0; } | cs |
728x90
반응형
'알고리즘 문제 > BOJ' 카테고리의 다른 글
1920번 수 찾기 (0) | 2018.08.27 |
---|---|
11279번 최대 힙 (0) | 2018.08.26 |
15649번 N과 M (1) (0) | 2018.08.26 |
2589번 보물섬 (0) | 2018.08.25 |
2174번 로봇 시뮬레이션 (0) | 2018.08.25 |