반응형
개인적인 풀이일 뿐, 최적의 정답이 아님을 알려드립니다.
문제
난이도: 골드 4
사용언어: JAVA
풀이
이 문제는 BFS와 우선순위 큐를 이용해 해결할 수 있습니다. 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
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
|
import java.io.*;
import java.util.*;
class Main {
static int N;
static boolean[][] arr;
static boolean[][] visit;
static int[][] cnt;
static class position implements Comparable<position> {
int x;
int y;
int c;
public position(int x, int y, int c) {
this.x = x;
this.y = y;
this.c = c;
}
@Override
public int compareTo(position o) {
if (this.c > o.c)
return 1;
else
return -1;
}
}
static PriorityQueue<position> q = new PriorityQueue<>();
static int d[][] = {{-1, 0}, {0, 1}, {1, 0}, {0, -1}};
public static void bfs(position p) {
int nx, ny, nc;
for (int i = 0; i < 4; i++) {
nx = p.x + d[i][0];
ny = p.y + d[i][1];
nc = p.c;
if (nx >= 0 && nx < N && ny >= 0 && ny < N) { // 격자에서 벗어나는 범위인지 확인
if (arr[nx][ny] == true) { // 만일 벽이라면 부쉈다고 가정하고 부순 횟수 1 증가
nc++;
}
if (cnt[nx][ny] > nc || visit[nx][ny] == false) { // 아직 방문하지 않았거나, 더 적게 부수고 온 경로인 경우
visit[nx][ny] = true;
cnt[nx][ny] = nc; // 최소 부순 횟수 업데이트
q.add(new position(nx, ny, nc));
}
}
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
String s;
N = Integer.parseInt(br.readLine());
arr = new boolean[N][N];
visit = new boolean[N][N];
cnt = new int[N][N];
for (int i = 0; i < N; i++) {
s = br.readLine();
for (int j = 0; j < N; j++) {
if (s.charAt(j) == '0')
arr[i][j] = true;
}
}
q.add(new position(0, 0, 0));
visit[0][0] = true;
while (!q.isEmpty()) {
bfs(q.poll());
}
bw.write(String.valueOf(cnt[N - 1][N - 1]));
bw.flush();
bw.close();
br.close();
}
}
|
cs |
반응형
'백준 온라인 저지 > Gold' 카테고리의 다른 글
[BOJ] 20058 - 마법사 상어와 파이어스톰 (1) | 2021.10.06 |
---|---|
[BOJ] 16174 - 점프왕 쩰리 (Large) (0) | 2021.05.13 |
[BOJ] 1584 - 게임 (0) | 2021.04.19 |
[BOJ] 20159 - 동작 그만. 밑장 빼기냐? (4) | 2021.04.18 |
[BOJ] 20057 - 마법사 상어와 토네이도 (0) | 2021.04.13 |