
형택이는 1부터 9까지의 숫자와, 구멍이 있는 직사각형 보드에서 재밌는 게임을 한다.
일단 보드의 가장 왼쪽 위에 동전을 하나 올려놓는다. 그다음에 다음과 같이 동전을 움직인다.
만약 동전이 구멍에 빠지거나, 보드의 바깥으로 나간다면 게임은 종료된다. 형택이는 이 재밌는 게임을 되도록이면 오래 하고 싶다.
보드의 상태가 주어졌을 때, 형택이가 최대 몇 번 동전을 움직일 수 있는지 구하는 프로그램을 작성하시오.
줄에 보드의 세로 크기 N과 가로 크기 M이 주어진다. 이 값은 모두 50보다 작거나 같은 자연수이다. 둘째 줄부터 N개의 줄에 보드의 상태가 주어진다. 쓰여 있는 숫자는 1부터 9까지의 자연수 또는 H이다. 가장 왼쪽 위칸은 H가 아니다. H는 구멍이다.
첫째 줄에 문제의 정답을 출력한다. 만약 형택이가 동전을 무한번 움직일 수 있다면 -1을 출력한다.
3 7
3942178
1234567
91235325이 문제는 DFS 알고리즘을 이용해서 경로를 찾고 DP 알고리즘을 이용해 이미 지나온 경로를 제외해서 최대 횟수를 구할 수 있었다.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class Main {
    static int[] dx = {-1, 1, 0, 0};
    static int[] dy = {0, 0, -1, 1};
    static int N;
    static int M;
    static char[][] map;
    static boolean[][] visited;
    static int[][] dp;
    static int max = 0;
    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        String[] input = br.readLine().split(" ");
        N = Integer.parseInt(input[0]);
        M = Integer.parseInt(input[1]);
        map = new char[N][M];
        visited = new boolean[N][M];
        dp = new int[N][M];
        for(int i=0; i<N; i++) {
            String str = br.readLine();
            for(int j=0; j<M; j++)
                map[i][j] = str.charAt(j);
        }
        dfs(0, 0, 0);
        if(max!=-1) {
            for(int i=0; i<N; i++) {
                for(int j=0; j<M; j++)
                    max = Math.max(max, dp[i][j]);
            }
            max++;
        }
        System.out.println(max);
    }
    public static void dfs(int x, int y, int t) {
        visited[x][y] = true;
        for(int i=0; i<4; i++) {
            int nx = x + (map[x][y]-'0')*dx[i];
            int ny = y + (map[x][y]-'0')*dy[i];
            if(nx<0 || nx>=N || ny<0 || ny>=M || map[nx][ny]=='H' || dp[nx][ny]>t+1) continue;
            if(visited[nx][ny]) {
                max = -1;
                return;
            }
            dp[x][y] = Math.max(dp[nx][ny], t+1);
            dfs(nx, ny, t+1);
        }
        visited[x][y] = false;
    }
}