面试题之顺时针打印矩阵,python实现,供大家参考,具体内容如下
问题描述:
输入一个矩阵,按照从外向里以顺时针的顺序依次打印出每一个数字,例如,输入如下矩阵:
则依次打印出数字1,2,3,4,8,12,16,15,14,13,9,5,6,7,11,10.
思路:每次打印并删除矩阵的第一行,然后将矩阵逆时针翻转90度,直至打印出全部结果
具体代码实现如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
|
# coding:utf-8
class solution( object ):
def printmatrix( self , matrix):
# 打印矩阵
result = []
while matrix:
result + = matrix.pop( 0 )
if matrix:
matrix = self .rotate(matrix)
return result
def rotate( self , matrix):
# 逆时针旋转矩阵
row = len (matrix)
col = len (matrix[ 0 ])
# 存放旋转后的矩阵
new_matrix = []
# 行列调换
for i in range (col):
new_line = []
for j in range (row):
new_line.append(matrix[j][col - 1 - i])
new_matrix.append(new_line)
return new_matrix
if __name__ = = '__main__' :
# 测试代码
matrix = [
[ 1 , 2 , 3 , 4 ],
[ 5 , 6 , 7 , 8 ],
[ 9 , 10 , 11 , 12 ],
[ 13 , 14 , 15 , 16 ]
]
solution = solution()
result = solution.printmatrix(matrix)
print (result)
|
如有错误,欢迎指正和交流。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/qq_34178562/article/details/79850906