https://www.acmicpc.net/problem/2589
2589번: 보물섬
첫째 줄에는 보물 지도의 세로의 크기와 가로의 크기가 빈칸을 사이에 두고 주어진다. 이어 L과 W로 표시된 보물 지도가 아래의 예와 같이 주어지며, 각 문자 사이에는 빈 칸이 없다. 보물 지도의
www.acmicpc.net
코드 설명
BFS 기본문제 입니다.
BFS를 반복적으로 사용하여 거리가 가장 긴 구간을 완전탐색하여 구하는 문제였습니다.
가장 긴 거리를 재기위해 result라는 또하나의 map을 만들어주어서 거리를 기록하였습니다.
코드
#include<iostream>
#include<cstring>
#include<vector>
#include<queue>
using namespace std;
int N, M;
char map[51][51];
bool visited[51][51];
int dx[] = { -1,1,0,0 };
int dy[] = { 0,0,1,-1 };
int result[51][51];
int maxx;
void bfs(int y, int x) {
queue<pair<int, int>> q;
q.push({ y,x });
visited[y][x] = true;
while (!q.empty()) {
int y = q.front().first;
int x = q.front().second;
q.pop();
for (int i = 0; i < 4; i++) {
int ny = y + dy[i];
int nx = x + dx[i];
if (ny < 0 || nx < 0 || ny >= N || nx >= M) continue;
if (!visited[ny][nx] && map[ny][nx]=='L') {
q.push({ ny,nx });
visited[ny][nx] = true;
result[ny][nx] = result[y][x] + 1;
}
}
}
for (int y = 0; y < N; y++) {
for (int x = 0; x < M; x++) {
if (maxx < result[y][x]) maxx = result[y][x];
}
}
}
int main() {
cin >> N >> M;
for (int y = 0; y < N; y++) {
for (int x = 0; x < M; x++) {
cin >> map[y][x];
}
}
for (int y = 0; y < N; y++) {
for (int x = 0; x < M; x++) {
if (map[y][x] == 'L'){
memset(result, 0, sizeof(result));
memset(visited, false , sizeof(visited));
bfs(y, x);
}
}
}
cout << maxx;
return 0;
}
'알고리즘 공부 > 백준' 카테고리의 다른 글
[백준] 스택 수열(1874/C++) (0) | 2022.01.09 |
---|---|
[백준] 단어정렬 (C++/1181) (0) | 2021.12.19 |
[백준] DFS와 BFS (1260/C++) (0) | 2021.08.19 |
[백준] 욕심쟁이 판다 (1937/C++) (0) | 2021.08.17 |
[백준] 탈출 (3055/C++) (0) | 2021.08.14 |