我有一个用numpy创建的3d数组,我想知道如何通过自定义角度旋转它,而不仅仅是numpy所具有的rot90
函数。有人可以帮忙吗?
3d矩阵表示图像(例如立方体或其他形状),即
0:
1 1 1
1 1
1 1 1
1:
1 1
1 1
2:
1 1 1
1 1
1 1 1
编辑: 移动解决方案回答
答案 0 :(得分:5)
查看scipy.ndimage.interpolation.rotate功能。
这是因为scipy而不是numpy的原因是通过仅仅修改数组的索引来完成将图像旋转90度。但是,如果要将图像旋转任意度数,则必须处理插值,这会给问题增加一层全新的复杂性。这是因为当您将旋转图像旋转90度时,原始图像中的所有像素“与旋转图像中的像素完美对齐”。旋转图像时通常不会出现这种情况。
答案 1 :(得分:2)
经过一些试验和错误后,我想出了一些代码用于我的目的(0表示数组中为空,另一个数字表示填充的体素。
def rotate(self, deg_angle, axis):
d = len(self.matrix)
h = len(self.matrix[0])
w = len(self.matrix[0][0])
min_new_x = 0
max_new_x = 0
min_new_y = 0
max_new_y = 0
min_new_z = 0
max_new_z = 0
new_coords = []
angle = radians(deg_angle)
for z in range(d):
for y in range(h):
for x in range(w):
new_x = None
new_y = None
new_z = None
if axis == "x":
new_x = int(round(x))
new_y = int(round(y*cos(angle) - z*sin(angle)))
new_z = int(round(y*sin(angle) + z*cos(angle)))
elif axis == "y":
new_x = int(round(z*sin(angle) + x*cos(angle)))
new_y = int(round(y))
new_z = int(round(z*cos(angle) - x*sin(angle)))
elif axis == "z":
new_x = int(round(x*cos(angle) - y*sin(angle)))
new_y = int(round(x*sin(angle) + y*cos(angle)))
new_z = int(round(z))
val = self.matrix.item((z, y, x))
new_coords.append((val, new_x, new_y, new_z))
if new_x < min_new_x: min_new_x = new_x
if new_x > max_new_x: max_new_x = new_x
if new_y < min_new_y: min_new_y = new_y
if new_y > max_new_y: max_new_y = new_y
if new_z < min_new_z: min_new_z = new_z
if new_z > max_new_z: max_new_z = new_z
new_x_offset = abs(min_new_x)
new_y_offset = abs(min_new_y)
new_z_offset = abs(min_new_z)
new_width = abs(min_new_x - max_new_x)
new_height = abs(min_new_y - max_new_y)
new_depth = abs(min_new_z - max_new_z)
rotated = np.empty((new_depth + 1, new_height + 1, new_width + 1))
rotated.fill(0)
for coord in new_coords:
val = coord[0]
x = coord[1]
y = coord[2]
z = coord[3]
if rotated[new_z_offset + z][new_y_offset + y][new_x_offset + x] == 0:
rotated[new_z_offset + z][new_y_offset + y][new_x_offset + x] = val
self.matrix = rotated
我使用上述代码的方式是:
cube = Rect_Prism(20, 20, 20) # creates a 3d array similar to above example, just bigger
cube.rotate(20, "x")
cube.rotate(60, "y")
Rect_Prism创建一个MxNxD矩阵,但在这种情况下为NxNxN。
打印时的结果:
# # # # # # # # # # # #
# # # # # # #
# # # # # # #
# # # # #
# # # # # # # #
# # # # # # #
# # # # # # # # # # # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # # # #
# # # #
# # # # # # # # # # # #
# # # # #
# # # # # # # #
# # # # # # #
# # # # # # #
# # # # # # #
# # # # # #
# # # # # # # # # # # #
答案 2 :(得分:1)
答案 3 :(得分:0)
我认为你应该考虑数据的“矢量”表示,而不是当前的“光栅”表示。
矢量表示意味着,而不是每个“体素”由其在网格中的位置定义,您将拥有某种体素列表,具有实际的3D坐标。
因此,不是每个体素都是“黑/白”点的MxNxD矩阵,而是可以有一个Mx3矩阵,其中每一行都是一个点,列是X,Y和Z.
这样,您可以将列表乘以3x3旋转矩阵,并获得另一个变换坐标列表。
您仍然会将这些矢量点(或更好的线条)“渲染”到栅格矩阵(像素或体素,但您的样本图像看起来像3D信息已投影到2D空间)的问题。有很多技巧可以做到这一点。