我需要从行/列索引和切片距离切片2D输入数组。在下面的例子中,我可以从输入矩阵中提取一个3x3子矩阵,但是我无法使这段代码适用于我想要的任何搜索距离,而无需手动写下索引:
示例:
import numpy as np
# create matrix
mat_A = np.arange(100).reshape((10, 10))
row = 5
col = 5
# Build 3x3 matrix around the centre point
matrix_three = ((row - 1, col - 1),
(row, col - 1),
(row + 1, col - 1),
(row - 1, col),
(row, col), # centre point
(row + 1, col),
(row - 1, col + 1),
(row, col + 1),
(row + 1, col + 1))
list_matrix_max_values = []
for loc in matrix_three:
val = mat_A[loc[0]][loc[1]]
list_matrix_max_values.append(val)
submatrix = np.matrix(list_matrix_max_values)
print(submatrix)
返回:
[[44 54 64 45 55 65 46 56 66]]
如果我希望例如在我的row / col索引定义的单元格周围提取5x5矩阵,我该如何做同样的事情? 提前谢谢!
答案 0 :(得分:2)
Numpy具有矩阵切片,因此您可以对行和列进行切片。
mat_A[4:7, 4:7]
返回
[[44, 45, 46],
[54, 55, 56],
[64, 65, 66]]
答案 1 :(得分:1)
S=3 # window "radius"; S=3 gives a 5x5 submatrix
mat_A[row-S+1:row+S,col-S+1:col+S]
#array([[33, 34, 35, 36, 37],
# [43, 44, 45, 46, 47],
# [53, 54, 55, 56, 57],
# [63, 64, 65, 66, 67],
# [73, 74, 75, 76, 77]])