|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
matrix = [[1, 2, 3, 4],
[5, 6, 7, 8],
[9, 10, 11, 12]]
rows = len(matrix)
cols = len(matrix[0])
left = 0
right = cols - 1
top = 0
bottom = rows - 1
result = []
while left <= right and top <= bottom:
# 从左往右遍历
for col in range(left, right + 1):
result.append(matrix[top][col])
# 从上往下遍历
for row in range(top + 1, bottom + 1):
result.append(matrix[row][right])
if left < right and top < bottom:
# 从右往左遍历
for col in range(right - 1, left, -1):
result.append(matrix[bottom][col])
# 从下往上遍历
for row in range(bottom, top, -1):
result.append(matrix[row][left])
left = left + 1
right = right - 1
top = top + 1
bottom = bottom - 1
print(result)
这段代码是用于实现顺时针螺旋遍历二维矩阵(列表)的功能。矩阵的每一行是一个列表,而整个矩阵则是一个包含多个列表的列表。给定一个矩阵,代码会将矩阵中的元素按照顺时针螺旋顺序输出到一个列表中。以下是对代码的详细解释:
- matrix 是一个二维列表(矩阵),包含3行和4列。
- rows 和 cols 分别表示 matrix 的行数和列数。
- left, right, top, bottom 分别表示当前需要遍历的矩阵的左边界、右边界、上边界和下边界。
- result 用于存储遍历后的结果。
接下来,while 循环在遍历过程中逐渐收缩边界,直到 left > right 或者 top > bottom,意味着矩阵已经遍历完毕。
while 循环内部有四个 for 循环,分别代表四个方向的遍历:
- 从左往右遍历上边界。
- 从上往下遍历右边界。
- 从右往左遍历下边界(如果 left < right 且 top < bottom 才执行,避免在最后一圈时重复遍历)。
- 从下往上遍历左边界(如果 left < right 且 top < bottom 才执行,避免在最后一圈时重复遍历)。
每次遍历完成后,都会更新 left, right, top, bottom 的值,分别向内缩小边界。当边界收缩至无法继续遍历时,while 循环结束。
最后,print(result) 会输出按照顺时针螺旋顺序遍历后的矩阵元素列表。对于给定的 matrix,输出结果将是:[1, 2, 3, 4, 8, 12, 11, 10, 9, 5, 6, 7]。
|
|