Algorithm/그래프 탐색

BOJ#1890 점프

밤이2209 2017. 7. 24. 17:54

BOJ#1890 점프


* 문제



* 풀이

dp + dfs로 풀었습니다.
정답 비율에 비해 문제가 굉장히 쉽습니다.

N 범위와 경로의 개수 범위(long)만 주의하면 될 것 같습니다.



* 나의 코드


import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.StringTokenizer;

public class Main {

static final int[] dRow = {0, 1};
static final int[] dCol = {1, 0};

static int[][] map = new int[101][101];
static long[][] dp = new long[101][101];

static int N;

public static void main(String[] args) throws IOException {

BufferedReader br = new BufferedReader(new InputStreamReader(System.in));

N = Integer.parseInt(br.readLine());

for (int i = 0; i < N; i++) {

StringTokenizer st = new StringTokenizer(br.readLine());

for (int j = 0; j < N; j++) {

map[i][j] = Integer.parseInt(st.nextToken());
dp[i][j] = -1;
}
}

System.out.println(dfs(0, 0));
}

// return dp[row][col]
static long dfs(int row, int col) {

// 기저조건
if (row == N - 1 && col == N - 1) return 1;

// memoization
if (dp[row][col] > -1) return dp[row][col];

// 재귀 탐색
dp[row][col] = 0L;

for (int i = 0; i < 2; i++) {

int nextRow = row + map[row][col] * dRow[i];
int nextCol = col + map[row][col] * dCol[i];

dp[row][col] += dfs(nextRow, nextCol);
}

return dp[row][col];
}
}





'Algorithm > 그래프 탐색' 카테고리의 다른 글

BOJ#2412 암벽 등반  (0) 2017.09.10
BOJ#1963 소수 경로  (0) 2017.09.05
BOJ#10216 Count Circle Groups  (0) 2017.07.24
BOJ#10429 QUENTO  (0) 2017.06.01
BOJ#1525 퍼즐  (4) 2017.05.04