我试图将两个numpy数组乘以矩阵。我希望如果A
是n x m
矩阵且B
是m x p
矩阵,则A*B
会产生n x p
矩阵。
此代码创建一个5x3矩阵和一个3x1矩阵,由shape
属性验证。我小心翼翼地在两个维度上创建两个数组。最后一行执行乘法,我期望一个5x1矩阵。
A = np.array([[1,1,1],[2,2,2],[3,3,3],[4,4,4],[5,5,5]])
print(A)
print(A.shape)
B = np.array([[2],[3],[4]])
print(B)
print(B.shape)
print(A*B)
结果
[[1 1 1]
[2 2 2]
[3 3 3]
[4 4 4]
[5 5 5]]
(5, 3)
[[2]
[3]
[4]]
(3, 1)
---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-38-653ff6c66fb7> in <module>()
5 print(B)
6 print(B.shape)
----> 7 print(A*B)
ValueError: operands could not be broadcast together with shapes (5,3) (3,1)
即使是异常消息也表示内部尺寸(3和3)匹配。为什么乘法会抛出异常?我该如何生成5x1矩阵?
我正在使用Python 3.6.2和Jupyter Notebook服务器5.2.2。
答案 0 :(得分:3)
*
运算符提供了元素乘法,这要求数组的形状相同,或者'broadcastable'。
对于点积,请使用A.dot(B)
,或者在很多情况下,您可以使用A @ B
(在Python 3.5; read how it differs from dot
中。
>>> import numpy as np
>>> A = np.array([[1,1,1],[2,2,2],[3,3,3],[4,4,4],[5,5,5]])
>>> B = np.array([[2],[3],[4]])
>>> A @ B
array([[ 9],
[18],
[27],
[36],
[45]])
对于更多选项,尤其是处理更高维数组的选项,还有np.matmul
。