There is a city composed of n x n blocks, where each block contains a single building shaped like a vertical square prism. You are given a 0-indexedn x n integer matrix grid where grid[r][c] represents the height of the building located in the block at row r and column c.
A city’s skyline is the outer contour formed by all the building when viewing the side of the city from a distance. The skyline from each cardinal direction north, east, south, and west may be different.
We are allowed to increase the height of any number of buildings by any amount (the amount can be different per building). The height of a
0-height building can also be increased. However, increasing the height of a building should not affect the city’s skyline from any cardinal direction.
Return themaximum total sum that the height of the buildings can be increased by without changing the city’s skyline from any cardinal direction.

Input: grid =[[3,0,8,4],[2,4,5,7],[9,2,6,3],[0,3,1,0]]Output: 35Explanation: The building heights are shown in the center of the above image.The skylines when viewed from each cardinal direction are drawn in red.The grid after increasing the height of buildings without affecting skylines is:gridNew =[[8,4,8,7],[7,4,7,7],[9,4,8,7],[3,3,3,3]]
To keep the skyline unchanged, the height of each building can be increased up to the minimum of the maximum height in its row and column. This ensures the skyline from all four directions remains the same.
classSolution {
publicintmaxIncreaseKeepingSkyline(int[][] grid) {
int n = grid.length;
int[] rowMax =newint[n], colMax =newint[n];
for (int i = 0; i < n; i++)
for (int j = 0; j < n; j++) {
rowMax[i]= Math.max(rowMax[i], grid[i][j]);
colMax[j]= Math.max(colMax[j], grid[i][j]);
}
int ans = 0;
for (int i = 0; i < n; i++)
for (int j = 0; j < n; j++)
ans += Math.min(rowMax[i], colMax[j]) - grid[i][j];
return ans;
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
classSolution {
funmaxIncreaseKeepingSkyline(grid: Array<IntArray>): Int {
val n = grid.size
val rowMax = IntArray(n)
val colMax = IntArray(n)
for (i in0 until n)
for (j in0 until n) {
rowMax[i] = maxOf(rowMax[i], grid[i][j])
colMax[j] = maxOf(colMax[j], grid[i][j])
}
var ans = 0for (i in0 until n)
for (j in0 until n)
ans += minOf(rowMax[i], colMax[j]) - grid[i][j]
return ans
}
}
1
2
3
4
5
6
7
8
9
10
classSolution:
defmaxIncreaseKeepingSkyline(self, grid: list[list[int]]) -> int:
n = len(grid)
row_max = [max(row) for row in grid]
col_max = [max(grid[i][j] for i in range(n)) for j in range(n)]
ans =0for i in range(n):
for j in range(n):
ans += min(row_max[i], col_max[j]) - grid[i][j]
return ans