이것이 취업을 위한 코딩 테스트다. with 파이썬 - 나동빈
class Node {
private int x;
private int y;
public Node(int x, int y) {
this.x = x;
this.y = y;
}
int getX() {
return this.x;
}
int getY() {
return this.y;
}
}
public class MazeEscape {
static int N, M;
static int[][] maze = new int[201][201];
//상, 하, 좌, 우
static int[] dx = {-1, 1, 0, 0};
static int[] dy = {0, 0, -1, 1};
static int bfs(int x, int y) {
Queue<Node> queue = new LinkedList<>();
queue.offer(new Node(x, y));
while(!queue.isEmpty()) {
Node node = queue.poll();
x = node.getX();
y = node.getY();
for(int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if(nx < 0 || nx >= N || ny < 0 || ny >= M) continue;
if(maze[nx][ny] == 0) continue;
if(maze[nx][ny] == 1) {
maze[nx][ny] = maze[x][y] + 1;
queue.offer(new Node(nx, ny));
}
}
}
return maze[N - 1][M - 1];
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String[] s = br.readLine().split(" ");
N = Integer.parseInt(s[0]);
M = Integer.parseInt(s[1]);
for(int i = 0; i < N; i++) {
String[] split = br.readLine().split("");
for(int j = 0; j < M; j++) {
maze[i][j] = Integer.parseInt(split[j]);
}
}
System.out.println(bfs(0, 0));
}
}
BFS는 시작 지점에서 가까운 노드부터 차례대로 그래프의 모든 노드를 탐색하기 때문에 BFS를 이용하면 효과적으로 해결할 수 있다. 개념은 알겠으나 적용을 하지 못하겠다. BFS/DFS 는 그냥 많이 풀어보는 게 정답인 것 같다.