本文簡要介紹 python 語言中 numpy.lib.mixins.NDArrayOperatorsMixin
的用法。
用法:
class numpy.lib.mixins.NDArrayOperatorsMixin
Mixin 使用 __array_ufunc__ 定義所有運算符的特殊方法。
這個類實現了幾乎所有在
operator
模塊中定義的Python內置運算符的特殊方法,包括比較(==
,>
等)和算術(+
,*
,-
,等),通過推遲到子類必須實現的__array_ufunc__
方法。它對於編寫不從
numpy.ndarray
繼承的類很有用,但應該支持算術和 numpy 通用函數,例如 A Mechanism for Overriding Ufuncs 中說明的數組。作為一個簡單的示例,請考慮
ArrayLike
類的實現,該類簡單地包裝了 NumPy 數組,並確保任何算術運算的結果也是ArrayLike
對象:class ArrayLike(np.lib.mixins.NDArrayOperatorsMixin): def __init__(self, value): self.value = np.asarray(value) # One might also consider adding the built-in list type to this # list, to support operations like np.add(array_like, list) _HANDLED_TYPES = (np.ndarray, numbers.Number) def __array_ufunc__(self, ufunc, method, *inputs, **kwargs): out = kwargs.get('out', ()) for x in inputs + out: # Only support operations with instances of _HANDLED_TYPES. # Use ArrayLike instead of type(self) for isinstance to # allow subclasses that don't override __array_ufunc__ to # handle ArrayLike objects. if not isinstance(x, self._HANDLED_TYPES + (ArrayLike,)): return NotImplemented # Defer to the implementation of the ufunc on unwrapped values. inputs = tuple(x.value if isinstance(x, ArrayLike) else x for x in inputs) if out: kwargs['out'] = tuple( x.value if isinstance(x, ArrayLike) else x for x in out) result = getattr(ufunc, method)(*inputs, **kwargs) if type(result) is tuple: # multiple return values return tuple(type(self)(x) for x in result) elif method == 'at': # no return value return None else: # one return value return type(self)(result) def __repr__(self): return '%s(%r)' % (type(self).__name__, self.value)
在
ArrayLike
對象與數字或 numpy 數組之間的交互中,結果總是另一個ArrayLike
:>>> x = ArrayLike([1, 2, 3]) >>> x - 1 ArrayLike(array([0, 1, 2])) >>> 1 - x ArrayLike(array([ 0, -1, -2])) >>> np.arange(3) - x ArrayLike(array([-1, -1, -1])) >>> x - np.arange(3) ArrayLike(array([1, 1, 1]))
請注意,與
numpy.ndarray
不同,ArrayLike
不允許對任意、無法識別的類型進行操作。這可確保與 ArrayLike 的交互保留明確定義的轉換層次結構。
相關用法
- Python numpy mintypecode用法及代碼示例
- Python numpy minimum用法及代碼示例
- Python numpy min_scalar_type用法及代碼示例
- Python numpy ma.indices用法及代碼示例
- Python numpy matrix.A1用法及代碼示例
- Python numpy ma.zeros用法及代碼示例
- Python numpy matrix.T用法及代碼示例
- Python numpy matrix.I用法及代碼示例
- Python numpy ma.diff用法及代碼示例
- Python numpy mat用法及代碼示例
- Python numpy ma.mask_rowcols用法及代碼示例
- Python numpy ma.where用法及代碼示例
- Python numpy ma.zeros_like用法及代碼示例
- Python numpy mgrid用法及代碼示例
- Python numpy ma.notmasked_contiguous用法及代碼示例
- Python numpy ma.concatenate用法及代碼示例
- Python numpy ma.apply_along_axis用法及代碼示例
- Python numpy matrix.partition用法及代碼示例
- Python numpy ma.compress_rowcols用法及代碼示例
- Python numpy matrix.transpose用法及代碼示例
- Python numpy ma.vstack用法及代碼示例
- Python numpy ma.atleast_3d用法及代碼示例
- Python numpy ma.count用法及代碼示例
- Python numpy matrix.itemsize用法及代碼示例
- Python numpy ma.fix_invalid用法及代碼示例
注:本文由純淨天空篩選整理自numpy.org大神的英文原創作品 numpy.lib.mixins.NDArrayOperatorsMixin。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。