다이나믹 프로그래밍
dfs top-down방식으로 2차원 cache를 적용한 풀이.
Cache[r][c] = r, c에서 점프해서 N-1, N-1에 도달할 수 있는 경우의 수.
long long 주의.
N-1, N-1에 도달하면 1을 리턴.
Map의 원소가 0이면 0을 바로 리턴.
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
58
59
60
61
|
#include <iostream>
#include <vector>
#include <queue>
#include <algorithm>
#include <cstring>
#define fasti ios_base::sync_with_stdio(false); cin.tie(0);
#define fastio ios_base::sync_with_stdio(false); cin.tie(0); cout.tie(0);
#define INF 1e9+7
#define pii pair<int, int>
typedef long long ll;
// typedef pair<int, int> pii;
using namespace std;
int N;
int Map[101][101];
ll Cache[101][101];
void input(){
cin >> N;
for(int i = 0; i < N; i++){
for(int j = 0; j < N; j++){
cin >> Map[i][j];
}
}
memset(Cache, -1, sizeof(Cache));
}
ll dfs(pii now){
if(now.first == N-1 && now.second == N-1){
return 1;
}
if(!Map[now.first][now.second]){
return 0;
}
ll &ret = Cache[now.first][now.second];
if(ret != -1) return ret;
ret = 0;
int jump = Map[now.first][now.second];
pii npii1 = {now.first + jump, now.second};
pii npii2 = {now.first, now.second + jump};
return ret = dfs(npii1) + dfs(npii2);
}
void solve(){
dfs({0, 0});
cout << Cache[0][0];
}
int main(){
input();
solve();
return 0;
}
|
cs |
'Algorithm > BOJ' 카테고리의 다른 글
[백준 20165] 인내의 도미노 장인 호석 C++ (0) | 2021.07.22 |
---|---|
[백준 16681] 등산 C++ (0) | 2021.07.21 |
[백준 2573] 빙산 C++ (0) | 2021.07.21 |
[백준 3977] 축구 전술 C++ (0) | 2021.07.21 |
[백준 1504] 특정한 최단경로 C++ (0) | 2021.07.16 |