-
Notifications
You must be signed in to change notification settings - Fork 9
/
Copy path807-MaxIncreaseKeepingSkyline.kt
39 lines (30 loc) · 1.28 KB
/
807-MaxIncreaseKeepingSkyline.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
/**
* 807. Max Increase to Keep City Skyline
* https://leetcode.com/problems/max-increase-to-keep-city-skyline/
*/
class MaxIncreaseKeepingSkyline {
fun maxIncreaseKeepingSkyline(grid: Array<IntArray>): Int {
val maxPerLineAndColumn: Pair<List<Int>, List<Int>> = getMaxPerLineAndColumn(grid)
val lineMax = maxPerLineAndColumn.first
val columnMax = maxPerLineAndColumn.second
var increasedHeightSum = 0
grid.forEachIndexed { lineIndex, line ->
line.forEachIndexed { columnIndex, currentHeight ->
val increasedHeight = Math.min(lineMax[lineIndex], columnMax[columnIndex])
increasedHeightSum += increasedHeight - currentHeight
}
}
return increasedHeightSum
}
private fun getMaxPerLineAndColumn(grid: Array<IntArray>): Pair<List<Int>, List<Int>> {
val lineMax = MutableList(grid.size) {-1}
val columnMax = MutableList(grid.size) {-1}
grid.forEachIndexed{ lineIndex, line ->
line.forEachIndexed{ columnIndex, height ->
lineMax[lineIndex] = Math.max(lineMax[lineIndex], height)
columnMax[columnIndex] = Math.max(columnMax[columnIndex], height)
}
}
return Pair(lineMax, columnMax)
}
}