Skip to content

Commit 6afc5a5

Browse files
committed
add: first add
1 parent 4a23e07 commit 6afc5a5

File tree

1 file changed

+97
-0
lines changed

1 file changed

+97
-0
lines changed

542.01-矩阵.py

+97
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
#
2+
# @lc app=leetcode.cn id=542 lang=python3
3+
#
4+
# [542] 01 矩阵
5+
#
6+
# https://leetcode-cn.com/problems/01-matrix/description/
7+
#
8+
# algorithms
9+
# Medium (35.06%)
10+
# Likes: 111
11+
# Dislikes: 0
12+
# Total Accepted: 6.8K
13+
# Total Submissions: 18.6K
14+
# Testcase Example: '[[0,0,0],[0,1,0],[0,0,0]]'
15+
#
16+
# 给定一个由 0 和 1 组成的矩阵,找出每个元素到最近的 0 的距离。
17+
#
18+
# 两个相邻元素间的距离为 1 。
19+
#
20+
# 示例 1:
21+
# 输入:
22+
#
23+
#
24+
# 0 0 0
25+
# 0 1 0
26+
# 0 0 0
27+
#
28+
#
29+
# 输出:
30+
#
31+
#
32+
# 0 0 0
33+
# 0 1 0
34+
# 0 0 0
35+
#
36+
#
37+
# 示例 2:
38+
# 输入:
39+
#
40+
#
41+
# 0 0 0
42+
# 0 1 0
43+
# 1 1 1
44+
#
45+
#
46+
# 输出:
47+
#
48+
#
49+
# 0 0 0
50+
# 0 1 0
51+
# 1 2 1
52+
#
53+
#
54+
# 注意:
55+
#
56+
#
57+
# 给定矩阵的元素个数不超过 10000。
58+
# 给定矩阵中至少有一个元素是 0。
59+
# 矩阵中的元素只在四个方向上相邻: 上、下、左、右。
60+
#
61+
#
62+
#
63+
64+
# @lc code=start
65+
class Solution:
66+
def updateMatrix(self, matrix):
67+
rows = len(matrix)
68+
cols = len(matrix[0])
69+
update_mat = [[0 for col in range(cols)] for row in range(rows)]
70+
q = []
71+
for row in range(rows):
72+
for col in range(cols):
73+
if matrix[row][col] > 0:
74+
update_mat[row][col] = 10001
75+
else:
76+
q.append([row, col])
77+
while q:
78+
q_len = len(q)
79+
while q_len > 0:
80+
self.neighboor(q, update_mat, q.pop(0), rows, cols)
81+
q_len -= 1
82+
return update_mat
83+
84+
85+
def neighboor(self, q, update_mat, node, rows, cols):
86+
neighboor_nodes = [[0, -1], [0, 1], [-1, 0], [1, 0]]
87+
dis_min = update_mat[node[0]][node[1]]
88+
for neighboor_node in neighboor_nodes:
89+
x = node[0] + neighboor_node[0]
90+
y = node[1] + neighboor_node[1]
91+
if x >= 0 and y >= 0 and x < rows and y < cols:
92+
dis_min = min(update_mat[x][y] + 1, dis_min)
93+
if update_mat[x][y] == 10001:
94+
q.append([x, y])
95+
update_mat[node[0]][node[1]] = dis_min
96+
97+
# @lc code=end

0 commit comments

Comments
 (0)