__array_ufunc__
如果我使用方法(和)扩展您的课程__repr__
:
class toto():
def __init__(self, value, name):
self.value = value
self.name = name
def __add__(self, other):
"""add values and concatenate names"""
return toto(self.value + other.value, self.name + other.name)
def __sub__(self, other):
"""sub values and concatenate names"""
return toto(self.value - other.value, self.name + other.name)
def __repr__(self):
return f"toto: {self.value}, {self.name}"
def __array_ufunc__(self, *args, **kwargs):
print(args)
print(kwargs)
并尝试一些ufunc
电话:
In [458]: np.exp(tata)
(<ufunc 'exp'>, '__call__', toto: 5, first)
{}
In [459]: np.exp.reduce(tata)
(<ufunc 'exp'>, 'reduce', toto: 5, first)
{}
In [460]: np.multiply.reduce(tata)
(<ufunc 'multiply'>, 'reduce', toto: 5, first)
{}
In [461]: np.exp.reduce(tata,axes=(1,2))
(<ufunc 'exp'>, 'reduce', toto: 5, first)
{'axes': (1, 2)}
In [463]: np.exp.reduce(tata,axes=(1,2),out=np.arange(3))
(<ufunc 'exp'>, 'reduce', toto: 5, first)
{'axes': (1, 2), 'out': (array([0, 1, 2]),)}
这显示了您的班级收到的信息。显然你可以做你想做的事。它可以返回NotImplemented
。我想在您的情况下,它可以将第一个参数应用于您的self.value
,或进行一些自定义计算。
例如,如果我添加
val = args[0].__call__(self.value)
return toto(val, self.name)
我得到:
In [468]: np.exp(tata)
(<ufunc 'exp'>, '__call__', toto: 5, first)
{}
Out[468]: toto: 148.4131591025766, first
In [469]: np.sin(tata)
(<ufunc 'sin'>, '__call__', toto: 5, first)
{}
Out[469]: toto: -0.9589242746631385, first
但是,如果我将对象放入数组中,我仍然会收到方法错误
In [492]: np.exp(np.array(tata))
---------------------------------------------------------------------------
AttributeError Traceback (most recent call last)
<ipython-input-492-4dc37eb0ffe3> in <module>
----> 1 np.exp(np.array(tata))
AttributeError: 'toto' object has no attribute 'exp'
显然ufunc
,在对象 dtype 数组上迭代数组的元素,期望使用“相关”方法。对于np.add
(+),它会查找__add__
方法。因为np.exp
它寻找一种exp
方法。这__array_ufunc__
不叫。
所以看起来它更多地用于 的子类ndarray
或等效的东西。我认为,您正在尝试实现一个可以用作对象 dtype 数组元素的类。