[백준/코틀린] 2667번: 단지번호붙이기
실버 1
링크
풀이
플러드 필(Flood Fill) 알고리즘으로 해결할 수 있습니다.
DFS 또는 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
import java.util.PriorityQueue
lateinit var map: List<String>
lateinit var visited: Array<BooleanArray>
val stack = ArrayDeque<Pair<Int, Int>>()
val dy = listOf(-1, 0, 1, 0)
val dx = listOf(0, 1, 0, -1)
val pq = PriorityQueue<Int>()
fun dfs(n: Int, sy: Int, sx: Int) {
var cnt = 0
visited[sy][sx] = true
stack.addLast(sy to sx)
while (stack.isNotEmpty()) {
val (cy, cx) = stack.removeLast()
cnt++
repeat(4) {
val ny = cy + dy[it]
val nx = cx + dx[it]
if (ny in 0 until n &&
nx in 0 until n &&
map[ny][nx] == '1' &&
!visited[ny][nx]
) {
visited[ny][nx] = true
stack.addLast(ny to nx)
}
}
}
pq += cnt
}
fun main() {
val n = readln().toInt()
map = List(n) { readln() }
visited = Array(n) { BooleanArray(n) }
for (i in 0 until n) {
for (j in 0 until n) {
if (map[i][j] == '1' && !visited[i][j]) dfs(n, i, j)
}
}
println(pq.size)
while (pq.isNotEmpty()) {
println(pq.poll())
}
}
This post is licensed under CC BY 4.0 by the author.