这个问题与 Overriding other __rmul__ with your class's __mul__中的问题很接近,但我的印象是,这是一个更普遍的问题,而不是数字数据。也没有回答,我真的不想使用矩阵乘法@
进行此操作。因此,问题。
我确实有一个接受标量和数值数组乘法的对象。像往常一样,左乘法工作正常,因为它使用了myobj()
方法,但在右乘法中,NumPy 使用广播规则并给出元素级结果dtype=object
。
这也具有无法检查数组大小是否兼容的副作用。
因此,问题是
有没有办法强制 numpy 数组查找
__rmul__()
另一个对象的,而不是广播和执行元素__mul__()
?
在我的特定情况下,对象是 MIMO(多输入、多输出)传递函数矩阵(或滤波器系数矩阵,如果您愿意),因此矩阵乘法在线性系统的加法和乘法方面具有特殊含义。因此,在每个条目中都有 SISO 系统。
import numpy as np
class myobj():
def __init__(self):
pass
def __mul__(self, other):
if isinstance(other, type(np.array([0.]))):
if other.size == 1:
print('Scalar multiplication')
else:
print('Multiplication of arrays')
def __rmul__(self, other):
if isinstance(other, type(np.array([0.]))):
if other.size == 1:
print('Scalar multiplication')
else:
print('Multiplication of arrays')
A = myobj()
a = np.array([[[1+1j]]]) # some generic scalar
B = np.random.rand(3, 3)
使用这些定义,以下命令会显示不希望的行为。
In [123]: A*a
Scalar multiplication
In [124]: a*A
Out[124]: array([[[None]]], dtype=object)
In [125]: B*A
Out[125]:
array([[None, None, None],
[None, None, None],
[None, None, None]], dtype=object)
In [126]: A*B
Multiplication of arrays
In [127]: 5 * A
In [128]: A.__rmul__(B) # This is the desired behavior for B*A
Multiplication of arrays