File size: 3,059 Bytes
1f76e58 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 |
import cupy
import operator
import warnings
def _deprecate_as_int(x, desc):
try:
return operator.index(x)
except TypeError as e:
try:
ix = int(x)
except TypeError:
pass
else:
if ix == x:
warnings.warn(
'In future, this will raise TypeError, as {} will '
'need to be an integer not just an integral float.'
.format(desc),
DeprecationWarning,
stacklevel=3
)
return ix
raise TypeError('{} must be an integer'.format(desc)) from e
def trimseq(seq):
"""Removes small polynomial series coefficients.
Args:
seq (cupy.ndarray): input array.
Returns:
cupy.ndarray: input array with trailing zeros removed. If the
resulting output is empty, it returns the first element.
.. seealso:: :func:`numpy.polynomial.polyutils.trimseq`
"""
if seq.size == 0:
return seq
ret = cupy.trim_zeros(seq, trim='b')
if ret.size > 0:
return ret
return seq[:1]
def as_series(alist, trim=True):
"""Returns argument as a list of 1-d arrays.
Args:
alist (cupy.ndarray or list of cupy.ndarray): 1-D or 2-D input array.
trim (bool, optional): trim trailing zeros.
Returns:
list of cupy.ndarray: list of 1-D arrays.
.. seealso:: :func:`numpy.polynomial.polyutils.as_series`
"""
arrays = []
for a in alist:
if a.size == 0:
raise ValueError('Coefficient array is empty')
if a.ndim > 1:
raise ValueError('Coefficient array is not 1-d')
if a.dtype.kind == 'b':
raise ValueError('Coefficient arrays have no common type')
a = a.ravel()
if trim:
a = trimseq(a)
arrays.append(a)
dtype = cupy.common_type(*arrays)
ret = [a.astype(dtype, copy=False) for a in arrays]
return ret
def trimcoef(c, tol=0):
"""Removes small trailing coefficients from a polynomial.
Args:
c(cupy.ndarray): 1d array of coefficients from lowest to highest order.
tol(number, optional): trailing coefficients whose absolute value are
less than or equal to ``tol`` are trimmed.
Returns:
cupy.ndarray: trimmed 1d array.
.. seealso:: :func:`numpy.polynomial.polyutils.trimcoef`
"""
if tol < 0:
raise ValueError('tol must be non-negative')
if c.size == 0:
raise ValueError('Coefficient array is empty')
if c.ndim > 1:
raise ValueError('Coefficient array is not 1-d')
if c.dtype.kind == 'b':
raise ValueError('bool inputs are not allowed')
if c.ndim == 0:
c = c.ravel()
c = c.astype(cupy.common_type(c), copy=False)
filt = (cupy.abs(c) > tol)[::-1]
ind = c.size - cupy._manipulation.add_remove._first_nonzero_krnl(
filt, c.size).item()
if ind == 0:
return cupy.zeros_like(c[:1])
return c[: ind]
|