배운것
- (1,1)에서 (N,M)으로 가는 가장 빠른 길을 구하는 문제
- DFS로 못푼다
- BFS 탐색을 사용해야 한다
- BFS는 단계별로 진행된다는 사실을 이용
- BFS는 최단거리도 함께 의미
내 풀이
#include<iostream>
#include <cstdio>
#include <algorithm>
#include <queue>
using namespace std;
int a[100][100];
int d[100][100];
bool check[100][100];
int dx[] = { 0, 0, 1, -1 };
int dy[] = { 1, -1, 0, 0 };
int n, m;
void bfs(int x, int y) {
queue<pair<int, int>> q;
q.push(make_pair(x, y));
d[0][0] = 1;
check[0][0] = true;
while (!q.empty())
{
x = q.front().first;
y = q.front().second;
q.pop();
for (int k = 0; k < 4; k++)
{
int nx = x + dx[k];
int ny = y + dy[k];
if (0 <= nx && nx < n && 0 <= ny && ny < m)
{
if (a[nx][ny] == 1 && check[nx][ny] == false)
{
d[nx][ny] = d[x][y] + 1;
check[nx][ny] = true;
q.push(make_pair(nx, ny));
}
}
}
}
}
int main() {
scanf_s("%d %d", &n, &m);
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
scanf_s("%1d", &a[i][j]);
}
}
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (a[i][j] == 1 && d[i][j] == 0)
{
bfs(i, j);
}
}
}
cout << d[n - 1][m - 1];
return 0;
}
풀이
#include <cstdio>
#include <queue>
using namespace std;
int n,m;
int a[100][100];
bool check[100][100];
int dist[100][100];
int dx[] = {0, 0, 1, -1};
int dy[] = {1, -1, 0, 0};
int main() {
scanf("%d %d",&n,&m);
for (int i=0; i<n; i++) {
for (int j=0; j<m; j++) {
scanf("%1d",&a[i][j]);
}
}
queue<pair<int,int>> q;
q.push(make_pair(0, 0));
check[0][0] = true;
dist[0][0] = 1;
while (!q.empty()) {
int x = q.front().first;
int y = q.front().second;
q.pop();
for (int k=0; k<4; k++) {
int nx = x+dx[k];
int ny = y+dy[k];
if (0 <= nx && nx < n && 0 <= ny && ny < m) {
if (check[nx][ny] == false && a[nx][ny] == 1) {
q.push(make_pair(nx, ny));
dist[nx][ny] = dist[x][y] + 1;
check[nx][ny] = true;
}
}
}
}
printf("%d\n",dist[n-1][m-1]);
return 0;
}
'Algorithm > C++' 카테고리의 다른 글
[이코테] 음료수 얼려먹기(DFS/BFS) - 예제 5-10 (0) | 2022.06.20 |
---|---|
[백준 7576] 토마토 (DFS/BFS) (0) | 2022.06.16 |
[백준 2667] 단지번호붙이기 (0) | 2022.06.14 |
[백준 11724] 연결 요소의 개수 (0) | 2022.06.13 |
[백준 11399] ATM (0) | 2022.06.04 |
댓글