You are given an integer matrix isWater of size m x n that represents a map of land and water cells.
If isWater[i][j] == 0, cell (i, j) is a land cell.
If isWater[i][j] == 1, cell (i, j) is a water cell.
You must assign each cell a height in a way that follows these rules:
The height of each cell must be non-negative.
If the cell is a water cell, its height must be 0.
Any two adjacent cells must have an absolute height difference of at most 1. A cell is adjacent to another cell if the former is directly north, east, south, or west of the latter (i.e., their sides are touching).
Find an assignment of heights such that the maximum height in the matrix is maximized.
Return an integer matrix height of size m x n where height[i][j] is cell (i, j)'s height. If there are multiple solutions, return any of them.
정수형 행렬 isWater(m x n 크기)가 주어집니다. 이 행렬은 땅과 물 셀을 나타내는 지도를 나타냅니다.
다음 규칙을 만족하도록 각 셀에 높이를 할당해야 합니다:
주어진 조건을 만족하면서 행렬 내의 최대 높이값을 최대화하는 높이 할당을 찾으세요.
크기가 m x n인 정수형 행렬 height를 반환하세요. 여기서 height[i][j]는 셀 (i, j)의 높이를 나타냅니다. 여러 가지 해가 존재할 경우, 그중 하나를 반환하면 됩니다.
다음 그림은 위의 예시 입력에 대한 출력 결과를 나타냅니다:
결과 배열 초기화
물 셀 초기화
BFS를 통한 높이 계산
범위와 조건 확인
결과 반환
위 방법을 통해 모든 물 셀에서 동시에 시작하여, 각 땅 셀까지의 최소 높이를 계산하며 조건을 만족하는 배열을 생성합니다.
class Solution:
def highestPeak(self, isWater: List[List[int]]) -> List[List[int]]:
R = len(isWater)
C = len(isWater[0])
q = deque()
directions = [
[0, 1],
[0, -1],
[1, 0],
[-1, 0]
]
ans = [
[-1] * C for _ in range(R)
]
for r in range(R):
for c in range(C):
if isWater[r][c] == 1:
ans[r][c] = 0
q.append((r, c))
while q:
row, col = q.popleft()
for dr, dc in directions:
tr, tc = row + dr, col + dc
if min(tr, tc) < 0 or tr >= R or tc >= C or ans[tr][tc] != -1:
continue
ans[tr][tc] = ans[row][col] + 1
q.append((tr, tc))
return ans