[백준/코틀린] 7576번: 토마토
골드 5
링크
풀이
2차원 격자에서 인접한 토마토로 익음이 전파되는 과정을 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
data class State(
val y: Int,
val x: Int,
val d: Int,
)
lateinit var storage: List<MutableList<Int>>
val dy = listOf(-1, 0, 1, 0)
val dx = listOf(0, -1, 0, 1)
fun bfs(n: Int, m: Int) {
val queue = ArrayDeque<State>()
var ans = 0
for (i in 0 until n) {
for (j in 0 until m) {
if (storage[i][j] == 1) {
queue.addLast(State(i, j, 0))
}
}
}
while (queue.isNotEmpty()) {
val (cy, cx, cd) = queue.removeFirst()
ans = maxOf(ans, cd)
repeat(4) {
val ny = cy + dy[it]
val nx = cx + dx[it]
val nd = cd + 1
if (ny in 0 until n &&
nx in 0 until m &&
storage[ny][nx] == 0
) {
storage[ny][nx] = 1
queue.addLast(State(ny, nx, nd))
}
}
}
println(ans.takeIf { storage.flatten().none { it == 0 } } ?: -1)
}
fun main() {
val (m, n) = readln().split(" ").map { it.toInt() }
storage = List(n) { readln().split(" ").map { it.toInt() }.toMutableList() }
bfs(n, m)
}
This post is licensed under CC BY 4.0 by the author.