문제
https://www.acmicpc.net/problem/6146
문제해설
(0, 0)에서 출발하여 (x, y)에 도달할 수 있는 최단경로를 구한다.
다만 중간중간 물 웅덩이가 있는데 웅덩이는 피해야한다.
문제풀이
어렵지않은 bfs문제이다.
다만 입력되는 범위가 -500~500 이기때문에
입력받는 값에 전부 500을 더해서 1000X1000행렬을 만들었다.
그 이후에는 물웅덩이에 미리 방문처리를 해주고 bfs를 돌리면 된다.
전체코드
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
#include<iostream>
#include<algorithm>
#include<vector>
#include<queue>
using namespace std;
typedef pair<int, int>P;
int arr[1001][1001];
int x, y, n;
int dx[] = { 0,0,1,-1 };
int dy[] = { 1,-1,0,0 };
queue<P>q;
void bfs() {
while (!q.empty()) {
P now = q.front();
q.pop();
for (int i = 0; i < 4; i++) {
int nx = now.first + dx[i];
int ny = now.second + dy[i];
if (nx < 0 || nx>1000 || ny < 0 || ny>1000)
continue;
if (arr[nx][ny]) continue;
if (nx == x && ny == y) {
cout << arr[now.first][now.second];
return;
}
arr[nx][ny] = arr[now.first][now.second] + 1;
q.push({ nx,ny });
}
}
}
int main() {
ios::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
cin >> x >> y >> n;
x += 500; y += 500;
for (int i = 0; i < n; i++) {
int x, y; cin >> x >> y;
arr[x + 500][y + 500] = 2;
}
arr[500][500] = 1;
q.push({ 500,500 });
bfs();
return 0;
}