-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathMain.java
70 lines (54 loc) Β· 1.94 KB
/
Main.java
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
62
63
64
65
66
67
68
69
70
package DFS.P1103;
import java.io.BufferedReader;
import java.io.FileInputStream;
import java.io.InputStreamReader;
import java.util.StringTokenizer;
public class Main {
static int N, M;
static char[][] board;
static boolean[][] visited;
static int[][] dp;
static int[] di = {-1, 0, 1, 0};
static int[] dj = {0, 1, 0, -1};
public static void main(String[] args) throws Exception {
// System.setIn(new FileInputStream("src/DFS/P1103/input.txt"));
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
board = new char[N][M];
visited = new boolean[N][M];
dp = new int[N][M];
for (int i = 0; i < N; i++) {
String line = br.readLine();
for (int j = 0; j < M; j++) {
board[i][j] = line.charAt(j);
dp[i][j] = -1;
}
}
int ans = dfs(0, 0) + 1;
System.out.println(ans);
}
static int dfs(int start_i, int start_j) {
if (visited[start_i][start_j]) {
System.out.println(-1);
System.exit(0);
}
if (dp[start_i][start_j] != -1) return dp[start_i][start_j];
visited[start_i][start_j] = true;
dp[start_i][start_j] = 0;
int num = board[start_i][start_j] - '0';
for (int t = 0; t < 4; t++) {
int to_i = start_i + di[t] * num;
int to_j = start_j + dj[t] * num;
if (isValidPath(to_i, to_j)) {
dp[start_i][start_j] = Math.max(dp[start_i][start_j], dfs(to_i, to_j) + 1);
}
}
visited[start_i][start_j] = false;
return dp[start_i][start_j];
}
static boolean isValidPath(int i, int j) {
return 0 <= i && i < N && 0 <= j && j < M && board[i][j] != 'H';
}
}