N×M의 행렬로 표현되는 맵이 있다. 맵에서 0은 이동할 수 있는 곳을 나타내고, 1은 이동할 수 없는 벽이 있는 곳을 나타낸다. 당신은 (1, 1)에서 (N, M)의 위치까지 이동하려 하는데, 이때 최단 경로로 이동하려 한다. 최단경로는 맵에서 가장 적은 개수의 칸을 지나는 경로를 말하는데, 이때 시작하는 칸과 끝나는 칸도 포함해서 센다.
만약에 이동하는 도중에 한 개의 벽을 부수고 이동하는 것이 좀 더 경로가 짧아진다면, 벽을 한 개 까지 부수고 이동하여도 된다.
맵이 주어졌을 때, 최단 경로를 구해 내는 프로그램을 작성하시오.
첫째 줄에 N(1 ≤ N ≤ 1,000), M(1 ≤ M ≤ 1,000)이 주어진다. 다음 N개의 줄에 M개의 숫자로 맵이 주어진다. (1, 1)과 (N, M)은 항상 0이라고 가정하자.
첫째 줄에 최단 거리를 출력한다. 불가능할 때는 -1을 출력한다.
어렵당...
BFS
를 기본으로 하되 현재 벽을 부수었는지 여부에 따라 다르게 처리한다.아직 100% 이해가 되지 않는다.
시간초과
나왔다.#include <iostream>
#include <queue>
#include <algorithm>
using namespace std;
class Wall{
public:
int x, y;
bool is_destroyed;
Wall(int x, int y, int d);
};
Wall::Wall(int x, int y, int d){
this->x = x;
this->y = y;
this->is_destroyed = d;
}
int n, m;
int map[1000][1000];
int route[1000][1000][2];
int dx[] = { 0,1,0,-1 };
int dy[] = { 1,0,-1,0 };
int bfs() {
queue<Wall> q;
q.push(Wall(0,0,0));
route[0][0][0] = 1;
while (!q.empty()){
int x = q.front().x;
int y = q.front().y;
int is_destroyed = q.front().is_destroyed;
q.pop();
if (x == n - 1 && y == m - 1) return route[x][y][is_destroyed];
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 (map[nx][ny] == 0 && route[nx][ny][is_destroyed] == 0) {
route[nx][ny][is_destroyed] = route[x][y][is_destroyed] + 1;
q.push(Wall(nx, ny, is_destroyed));
}
else if(map[nx][ny] ==1 && is_destroyed==0 && route[nx][ny][is_destroyed+1] == 0){
route[nx][ny][is_destroyed + 1] = route[x][y][is_destroyed] + 1;
q.push(Wall(nx, ny, is_destroyed+1));
}
}
}
return -1;
}
int main(void) {
cin.tie(NULL);
ios_base::sync_with_stdio(false);
cin >> n >> m;
for (int i = 0; i < n; i++){
string temp;
cin >> temp;
for (int j = 0; j < m; j++){
map[i][j] = temp[j] - '0';
}
}
cout << bfs();
}