algorithm/BOJ
BOJ 1003번 피보나치 함수
_JunHo
2020. 2. 9. 19:38
BOJ : https://www.acmicpc.net/problem/1003
github : https://github.com/junho0956/Algorithm/blob/master/1003/1003/%EC%86%8C%EC%8A%A4.cpp
dp[n] 의 의미는 n 일때 0 과 1 의 호출 횟수를 담는 pair 배열입니다.
다음 재귀문과 같이 동적계획법을 이용하여 문제를 해결합니다.
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
|
#include <iostream>
using namespace std;
typedef pair<long long, long long> ll;
ll dp[41];
ll solve(int num) {
if (num == 0) return { 1,0 };
if (num == 1) return { 0,1 };
if (num < 0) return{ 0,0 };
ll& res = dp[num];
ll ans = solve(num - 1);
ll ans2 = solve(num - 2);
}
int main() {
ios::sync_with_stdio(0), cin.tie(0), cout.tie(0);
int T; cin >> T;
while (T--) {
int n; cin >> n;
ll ans = solve(n);
}
return 0;
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
|