题目:
给定一个包含 m x n 个元素的矩阵(m 行, n 列),请按照顺时针螺旋顺序,返回矩阵中的所有元素。
示例 1:
输入:
[
[ 1, 2, 3 ],
[ 4, 5, 6 ],
[ 7, 8, 9 ]
]
输出: [1,2,3,6,9,8,7,4,5]
示例 2:
输入:
[
[1, 2, 3, 4],
[5, 6, 7, 8],
[9,10,11,12]
]
输出: [1,2,3,4,8,12,11,10,9,5,6,7]
链接:https://leetcode-cn.com/problems/spiral-matrix
思路:
1、对于这个列表矩阵,先输出第一行并将其pop除去,然后将矩阵逆时针旋转90度,继续输出第一行并将其pop出去,递归的执行上述操作直至矩阵为空
Python代码:
class Solution(object):
def spiralOrder(self, matrix):
"""
:type matrix: List[List[int]]
:rtype: List[int]
"""
ret = []
while matrix:
ret.extend(matrix.pop(0))
# matrix = map(list, zip(*matrix))[::-1] 逆时针旋转90度的极简做法
if not matrix or not matrix[0]:
break
matrix2 = []
# 将矩阵先按列组合,然后再左右翻转
for i in range(len(matrix[0])):
matrix2.append([])
for j, ls in enumerate(matrix):
for k, item in enumerate(ls):
matrix2[k].append(item)
matrix = matrix2[::-1]
return ret