- 문제
// 시간 제한: 1초, 메모리 제한: 512MB
- 입력
첫째 줄에는 보물 지도의 세로의 크기와 가로의 크기가 빈칸을 사이에 두고 주어진다. 이어 L과 W로 표시된 보물 지도가 아래의 예와 같이 주어지며, 각 문자 사이에는 빈 칸이 없다. 보물 지도의 가로, 세로의 크기는 각각 50이하이다.
- 출력
첫째 줄에 보물이 묻혀 있는 두 곳 사이를 최단 거리로 이동하는 시간을 출력한다.
// Created by dongwan-kim on 2022/08/23.
#include<iostream>
#include<algorithm>
#include<vector>
#include<queue>
#define MAX 1001
using namespace std;
int n, m, map[MAX][MAX], ans;
char graph[MAX][MAX];
string s;
bool visit[MAX][MAX];
vector<pair<int, int>> tomato;
int dx[] = {-1, 0, 1, 0};
int dy[] = {0, -1, 0, 1};
void bfs(int x, int y) {
queue<pair<int, int>> q;
q.push({x, y});
visit[x][y] = true;
while (!q.empty()) {
x = q.front().first;
y = q.front().second;
q.pop();
for (int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx >= 0 && ny >= 0 && nx < n && ny < m && graph[nx][ny] == 'L' && !visit[nx][ny]) {
visit[nx][ny] = true;
q.push({nx, ny});
map[nx][ny] = map[x][y] + 1;
ans = max(map[nx][ny], ans);
}
}
}
}
void reset() {
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
visit[i][j] = false;
map[i][j] = 0;
}
}
}
int main() {
cin >> n >> m;
for (int i = 0; i < n; i++) {
cin >> s;
for (int j = 0; j < m; j++) {
graph[i][j] = s[j];
}
}
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (graph[i][j] == 'W')
continue;
bfs(i, j);
reset();
}
}
cout << ans;
}
이 문제는 브루트포스와 BFS를 사용하여 문제를 해결했다.
로직은 모든 L에서의 BFS를 돌리고 가장 멀리있는 L과의 거리를 ans변수에 담아준다.
ans 변수는 전역변수로 선언하고 계속 반복문을 돌며 BFS를 돌릴 때 없데이트 해준다.
BFS는 위,아래,왼쪽,오른쪽 한번씩 보며 L일 때 +1해주면서 거리를 갱신해주게 구현하였다.
위와 같은 방식으로 반복문을 돌면서 BFS돌리고 초기화하고를 반복한 후 마지막에 ans를 출력해주면 된다.