BOJ#2206 벽 부수고 이동하기
* 문제
https://www.acmicpc.net/problem/2206
* 풀이
BFS 또는 다익스트라로 풀 수 있습니다.
벽을 부수는 경우와 벽을 부수지 않는 경우를 나누어서 진행하면 됩니다.
비슷한 문제 : 도로포장, 알고스팟
* 나의 코드
https://github.com/stack07142/BOJ/tree/master/BOJ%232206_WallDestroy/src
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;
/**
* BOJ#2206 벽 부수고 이동하기
* https://www.acmicpc.net/problem/2206
*/
public class Main {
static final int WALL = 1;
static final int YES = 1;
static final int NO = 0;
static final int[] dRow = {0, -1, 0, 1};
static final int[] dCol = {-1, 0, 1, 0};
static int[][] map = new int[1001][1001];
static boolean[][][] discovered = new boolean[1001][1001][2];
public static void main(String[] args) throws IOException {
int N, M; // <= 1,000
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
for (int i = 0; i < N; i++) {
String s = br.readLine();
for (int j = 0; j < M; j++) {
map[i][j] = s.charAt(j) - '0';
}
}
Queue<Node> queue = new LinkedList<Node>();
queue.add(new Node(0, 0, 0));
discovered[0][0][NO] = true;
discovered[0][0][YES] = true;
boolean isSuccess = false;
int step = 0;
while (!queue.isEmpty() && !isSuccess) {
step++;
int size = queue.size();
for (int i = 0; i < size; i++) {
Node u = queue.poll();
if (u.row == N - 1 && u.col == M - 1) {
isSuccess = true;
break;
}
// 탐색
for (int j = 0; j < 4; j++) {
int nextRow = u.row + dRow[j];
int nextCol = u.col + dCol[j];
if (nextRow < 0 || nextRow >= N || nextCol < 0 || nextCol >= M) continue;
// 벽
if (map[nextRow][nextCol] == WALL) {
if (u.destroy < YES && !discovered[nextRow][nextCol][1]) {
queue.add(new Node(nextRow, nextCol, YES));
discovered[nextRow][nextCol][YES] = true;
}
}
// 빈칸
else {
if (!discovered[nextRow][nextCol][u.destroy]) {
queue.add(new Node(nextRow, nextCol, u.destroy));
discovered[nextRow][nextCol][u.destroy] = true;
}
}
}
}
}
System.out.println(isSuccess ? step : -1);
}
}
class Node {
int row;
int col;
int destroy;
Node(int row, int col, int destroy) {
this.row = row;
this.col = col;
this.destroy = destroy;
}
}
'Algorithm > 그래프 탐색' 카테고리의 다른 글
BOJ#5014 스타트링크 (0) | 2017.04.02 |
---|---|
BOJ#2468 안전 영역 (0) | 2017.04.02 |
BOJ#3055 탈출 (0) | 2017.04.01 |
BOJ#12851 숨바꼭질 2 (0) | 2017.03.24 |
BOJ#1062 가르침 (0) | 2017.03.20 |