-
Notifications
You must be signed in to change notification settings - Fork 18
/
Copy pathRegionsBySlashes.kt
87 lines (74 loc) · 2.52 KB
/
RegionsBySlashes.kt
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
82
83
84
85
86
87
package com.daily.algothrim.leetcode
/**
* 959. 由斜杠划分区域
* 在由 1 x 1 方格组成的 N x N 网格 grid 中,每个 1 x 1 方块由 /、\ 或空格构成。这些字符会将方块划分为一些共边的区域。
*
* (请注意,反斜杠字符是转义的,因此 \ 用 "\\" 表示。)。
*
* 返回区域的数目。
*/
class RegionsBySlashes {
companion object {
@JvmStatic
fun main(args: Array<String>) {
println(RegionsBySlashes().solution(arrayOf("\\/", "/\\")))
}
}
//输入:
//[
// "\\/",
// "/\\"
//]
//输出:4
// 每一个网格基于对角线拆分成4个三角形
fun solution(grid: Array<String>): Int {
val n = grid.size
// 拆分的三角形的个数
val size = 4 * n * n
val unionFound = UnionFound(size)
grid.forEachIndexed { i, s ->
s.toCharArray().forEachIndexed { j, c ->
val index = 4 * (i * n + j)
when (c) {
'/' -> {
// 合并0 3, 1 2
unionFound.setUnion(index, index + 3)
unionFound.setUnion(index + 1, index + 2)
}
'\\' -> {
// 合并0 1, 2 3
unionFound.setUnion(index, index + 1)
unionFound.setUnion(index + 2, index + 3)
}
else -> {
// 合并0 1 2 3
unionFound.setUnion(index, index + 1)
unionFound.setUnion(index + 1, index + 2)
unionFound.setUnion(index + 2, index + 3)
}
}
// 从左向右 合并单元格
if (j + 1 < n) {
unionFound.setUnion(index + 1, 4 * (i * n + j + 1) + 3)
}
// 从上到下 合并单元格
if (i + 1 < n) {
unionFound.setUnion(index + 2, 4 * ((i + 1) * n + j))
}
}
}
return unionFound.count
}
class UnionFound(n: Int) {
private val p = Array(n) { it }
var count = n
private fun find(index: Int): Int = if (index == p[index]) index else find(p[index])
fun setUnion(x: Int, y: Int) {
val xP = find(x)
val yP = find(y)
if (xP == yP) return
p[xP] = yP
count--
}
}
}