配列がnp.fromfunction
のような関数を通過する場合でも、numpy配列のカスタム属性をどのように伝播できるか知りたいです。
たとえば、私のクラスExampleTensor
は、デフォルトで1に設定されている属性attr
を定義しています。
import numpy as np
class ExampleTensor(np.ndarray):
def __new__(cls, input_array):
return np.asarray(input_array).view(cls)
def __array_finalize__(self, obj) -> None:
if obj is None: return
# This attribute should be maintained!
self.attr = getattr(obj, 'attr', 1)
ExampleTensor
インスタンス間のスライスと基本操作は属性を維持しますが、他のnumpy関数を使用すると維持されません(おそらく、ExampleTensorsの代わりに通常のnumpy配列を作成するためです)。 私の質問:通常のnumpy配列がサブクラス化されたnumpy配列インスタンスから構築されたときにカスタム属性を永続化するソリューションはありますか?
問題を再現する例:
ex1 = ExampleTensor([[3, 4],[5, 6]])
ex1.attr = "some val"
print(ex1[0].attr) # correctly outputs "some val"
print((ex1+ex1).attr) # correctly outputs "some val"
np.sum([ex1, ex1], axis=0).attr # Attribute Error: 'numpy.ndarray' object has no attribute 'attr'
import numpy as np
class ExampleTensor(np.ndarray):
def __new__(cls, input_array):
return np.asarray(input_array).view(cls)
def __array_finalize__(self, obj) -> None:
if obj is None: return
# This attribute should be maintained!
default_attributes = {"attr": 1}
self.__dict__.update(default_attributes) # another way to set attributes
array_ufuncメソッドを次のように実装します
def __array_ufunc__(self, ufunc, method, *inputs, **kwargs): # this method is called whenever you use a ufunc
f = {
"reduce": ufunc.reduce,
"accumulate": ufunc.accumulate,
"reduceat": ufunc.reduceat,
"outer": ufunc.outer,
"at": ufunc.at,
"__call__": ufunc,
}
output = ExampleTensor(f[method](*(i.view(np.ndarray) for i in inputs), **kwargs)) # convert the inputs to np.ndarray to prevent recursion, call the function, then cast it back as ExampleTensor
output.__dict__ = self.__dict__ # carry forward attributes
return output
テスト
x = ExampleTensor(np.array([1,2,3]))
x.attr = 2
y0 = np.add(x, x)
print(y0, y0.attr)
y1 = np.add.outer(x, x)
print(y1, y1.attr) # works even if called with method
[2 4 6] 2
[[2 3 4]
[3 4 5]
[4 5 6]] 2
コメントでの説明。
私はあなたの例が間違っていると思います:
>>> type(ex1)
<class '__main__.ExampleTensor'>
だが
>>> type([ex1, ex1])
<class 'numpy.ndarray'>
オーバーロードされた__new__
と__array_finalize__
は、実際にはサブクラスではなく配列を構築しているため、呼び出されません。ただし、次の場合に呼び出されます。
>>> ExampleTensor([ex1, ex1])
これは、ExampleTensor
のリストからExampleTensor
を構築するときに属性を伝播する方法を定義していないため、attr = 1
を設定します。関連する操作をオーバーロードして、サブクラスでこの動作を定義する必要があります。上記のコメントで示唆されているように、インスピレーションを得るために np.matrixのコード を確認する価値があります。
np.sum([ex1, ex2], axis=0).attr
のex1.attr != ex2.attr
の場合、どの値を「伝播」する必要がありますか?
この質問は、最初に表示されるよりも基本的なものであることに注意してください。多種多様なnumpy関数が、どのようにして自分の意図を見つけることができるのでしょうか。次のような「attr-aware」関数ごとにオーバーロードされたバージョンを作成することはおそらく避けられません。
def sum(a, **kwargs):
sa=np.sum(a, **kwargs)
if isinstance(a[0],ExampleTensor): # or if hasattr(a[0],'attr')
sa.attr=a[0].attr
return sa
これはnp.sum()入力を処理するのに十分一般的ではないと確信していますが、あなたの例では機能するはずです。
これは、配列ではなく、サブクラスがnumpy ufuncの出力として指定されている場合でも機能する試みです(コメントの説明)。
import numpy as np
class ArraySubclass(np.ndarray):
'''Subclass of ndarray MUST be initialized with a numpy array as first argument.
'''
def __new__(cls, input_array, a=None, b=1):
obj = np.asarray(input_array).view(cls)
obj.a = a
obj.b = b
return obj
def __array_finalize__(self, obj):
if obj is None: # __new__ handles instantiation
return
'''we essentially need to set all our attributes that are set in __new__ here again (including their default values).
Otherwise numpy's view-casting and new-from-template mechanisms would break our class.
'''
self.a = getattr(obj, 'a', None)
self.b = getattr(obj, 'b', 1)
def __array_ufunc__(self, ufunc, method, *inputs, **kwargs): # this method is called whenever you use a ufunc
'''this implementation of __array_ufunc__ makes sure that all custom attributes are maintained when a ufunc operation is performed on our class.'''
# convert inputs and outputs of class ArraySubclass to np.ndarray to prevent infinite recursion
args = ((i.view(np.ndarray) if isinstance(i, ArraySubclass) else i) for i in inputs)
outputs = kwargs.pop('out', None)
if outputs:
kwargs['out'] = Tuple((o.view(np.ndarray) if isinstance(o, ArraySubclass) else o) for o in outputs)
else:
outputs = (None,) * ufunc.nout
# call numpys implementation of __array_ufunc__
results = super().__array_ufunc__(ufunc, method, *args, **kwargs) # pylint: disable=no-member
if results is NotImplemented:
return NotImplemented
if method == 'at':
# method == 'at' means that the operation is performed in-place. Therefore, we are done.
return
# now we need to make sure that outputs that where specified with the 'out' argument are handled corectly:
if ufunc.nout == 1:
results = (results,)
results = Tuple((self._copy_attrs_to(result) if output is None else output)
for result, output in Zip(results, outputs))
return results[0] if len(results) == 1 else results
def _copy_attrs_to(self, target):
'''copies all attributes of self to the target object. target must be a (subclass of) ndarray'''
target = target.view(ArraySubclass)
try:
target.__dict__.update(self.__dict__)
except AttributeError:
pass
return target
対応するユニットテストは次のとおりです。
import unittest
class TestArraySubclass(unittest.TestCase):
def setUp(self):
self.shape = (10, 2, 5)
self.subclass = ArraySubclass(np.zeros(self.shape))
def test_instantiation(self):
self.assertIsInstance(self.subclass, np.ndarray)
self.assertIs(self.subclass.a, None)
self.assertEqual(self.subclass.b, 1)
self.assertEqual(self.subclass.shape, self.shape)
self.assertTrue(np.array_equal(self.subclass, np.zeros(self.shape)))
sub2 = micdata.arrayasubclass.ArraySubclass(np.zeros(self.shape), a=2)
self.assertEqual(sub2.a, 2)
def test_view_casting(self):
self.assertIsInstance(np.zeros(self.shape).view(ArraySubclass),ArraySubclass)
def test_new_from_template(self):
self.subclass.a = 5
bla = self.subclass[3, :]
self.assertIsInstance(bla, ArraySubclass)
self.assertIs(bla.a, 5)
self.assertEqual(bla.b, 1)
def test_np_min(self):
self.assertEqual(np.min(self.subclass), 0)
def test_ufuncs(self):
self.subclass.b = 2
self.subclass += 2
self.assertTrue(np.all(self.subclass == 2))
self.subclass = self.subclass + np.ones(self.shape)
self.assertTrue(np.all(self.subclass == 3))
np.multiply.at(self.subclass, slice(0, 2), 2)
self.assertTrue(np.all(self.subclass[:2] == 6))
self.assertTrue(np.all(self.subclass[2:] == 3))
self.assertEqual(self.subclass.b, 2)
def test_output(self):
self.subclass.a = 3
bla = np.ones(self.shape)
bla *= 2
np.multiply(bla, bla, out=self.subclass)
self.assertTrue(np.all(self.subclass == 5))
self.assertEqual(self.subclass.a, 3)
P.s. tempname123はそれをほぼ正しくしました。ただし、配列ではない演算子の場合、および彼のクラスがufuncの出力として指定されている場合、彼の答えは失敗します。
>>> ExampleTensor += 1
AttributeError: 'int' object has no attribute 'view'
>>> np.multiply(np.ones((5)), np.ones((5)), out=ExampleTensor)
RecursionError: maximum recursion depth exceeded in comparison