File size: 10,913 Bytes
beffe4b | 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 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 | from __future__ import annotations
import contextlib
import importlib.metadata
import inspect
import unittest
import warnings
from collections.abc import Callable
from importlib.metadata import PackageNotFoundError
from unittest import mock
import numpy
import cupy
import cupyx
import cupyx.scipy.sparse
from cupy._core import internal
from cupy.testing._pytest_impl import is_available
if is_available():
import pytest
_skipif: Callable[..., Callable[[Callable], Callable]] = pytest.mark.skipif
else:
_skipif = unittest.skipIf
def with_requires(*requirements: str) -> Callable[[Callable], Callable]:
"""Run a test case only when given requirements are satisfied.
.. admonition:: Example
This test case runs only when `numpy>=1.18` is installed.
>>> from cupy import testing
...
...
... class Test(unittest.TestCase):
... @testing.with_requires("numpy>=1.18")
... def test_for_numpy_1_18(self):
... pass
Args:
requirements: A list of string representing requirement condition to
run a given test case.
"""
msg = f"requires: {','.join(requirements)}"
return _skipif(not installed(*requirements), reason=msg)
def installed(*specifiers: str) -> bool:
"""Returns True if the current environment satisfies the specified
package requirement.
Args:
specifiers: Version specifiers (e.g., `numpy>=1.20.0`).
"""
# Make `packaging` a soft requirement
from packaging.requirements import Requirement
for spec in specifiers:
req = Requirement(spec)
try:
found = importlib.metadata.version(req.name)
except PackageNotFoundError:
return False
expected = req.specifier
# If no constrait is given, skip
if expected and (not expected.contains(found, prereleases=True)):
return False
return True
def numpy_satisfies(version_range: str) -> bool:
"""Returns True if numpy version satisfies the specified criteria.
Args:
version_range: A version specifier (e.g., `>=1.13.0`).
"""
return installed(f"numpy{version_range}")
def shaped_arange(shape, xp=cupy, dtype=numpy.float32, order='C'):
"""Returns an array with given shape, array module, and dtype.
Args:
shape(tuple of int): Shape of returned ndarray.
xp(numpy or cupy): Array module to use.
dtype(dtype): Dtype of returned ndarray.
order({'C', 'F'}): Order of returned ndarray.
Returns:
numpy.ndarray or cupy.ndarray:
The array filled with :math:`1, \\cdots, N` with specified dtype
with given shape, array module. Here, :math:`N` is
the size of the returned array.
If ``dtype`` is ``numpy.bool_``, evens (resp. odds) are converted to
``True`` (resp. ``False``).
"""
dtype = numpy.dtype(dtype)
a = numpy.arange(1, internal.prod(shape) + 1, 1)
if dtype == '?':
a = a % 2 == 0
elif dtype.kind == 'c':
a = a + a * 1j
return xp.array(a.astype(dtype).reshape(shape), order=order)
def shaped_reverse_arange(shape, xp=cupy, dtype=numpy.float32):
"""Returns an array filled with decreasing numbers.
Args:
shape(tuple of int): Shape of returned ndarray.
xp(numpy or cupy): Array module to use.
dtype(dtype): Dtype of returned ndarray.
Returns:
numpy.ndarray or cupy.ndarray:
The array filled with :math:`N, \\cdots, 1` with specified dtype
with given shape, array module.
Here, :math:`N` is the size of the returned array.
If ``dtype`` is ``numpy.bool_``, evens (resp. odds) are converted to
``True`` (resp. ``False``).
"""
dtype = numpy.dtype(dtype)
size = internal.prod(shape)
a = numpy.arange(size, 0, -1)
if dtype == '?':
a = a % 2 == 0
elif dtype.kind == 'c':
a = a + a * 1j
return xp.array(a.astype(dtype).reshape(shape))
def shaped_random(
shape, xp=cupy, dtype=numpy.float32, scale=10, seed=0, order='C'):
"""Returns an array filled with random values.
Args:
shape(tuple): Shape of returned ndarray.
xp(numpy or cupy): Array module to use.
dtype(dtype): Dtype of returned ndarray.
scale(float): Scaling factor of elements.
seed(int): Random seed.
Returns:
numpy.ndarray or cupy.ndarray: The array with
given shape, array module,
If ``dtype`` is ``numpy.bool_``, the elements are
independently drawn from ``True`` and ``False``
with same probabilities.
Otherwise, the array is filled with samples
independently and identically drawn
from uniform distribution over :math:`[0, scale)`
with specified dtype.
"""
numpy.random.seed(seed)
dtype = numpy.dtype(dtype)
if dtype == '?':
a = numpy.random.randint(2, size=shape)
elif dtype.kind == 'c':
a = numpy.random.rand(*shape) + 1j * numpy.random.rand(*shape)
a *= scale
else:
a = numpy.random.rand(*shape) * scale
return xp.asarray(a, dtype=dtype, order=order)
def shaped_sparse_random(
shape, sp=cupyx.scipy.sparse, dtype=numpy.float32,
density=0.01, format='coo', seed=0):
"""Returns an array filled with random values.
Args:
shape (tuple): Shape of returned sparse matrix.
sp (scipy.sparse or cupyx.scipy.sparse): Sparce matrix module to use.
dtype (dtype): Dtype of returned sparse matrix.
density (float): Density of returned sparse matrix.
format (str): Format of returned sparse matrix.
seed (int): Random seed.
Returns:
The sparse matrix with given shape, array module,
"""
import scipy.sparse
n_rows, n_cols = shape
numpy.random.seed(seed)
a = scipy.sparse.random(n_rows, n_cols, density).astype(dtype)
if sp is cupyx.scipy.sparse:
a = cupyx.scipy.sparse.coo_matrix(a)
elif sp is not scipy.sparse:
raise ValueError('Unknown module: {}'.format(sp))
return a.asformat(format)
def shaped_linspace(start, stop, shape, xp=cupy, dtype=numpy.float32):
"""Returns an array with given shape, array module, and dtype.
Args:
start (int): The starting value.
stop (int): The end value.
shape (tuple of int): Shape of returned ndarray.
xp (numpy or cupy): Array module to use.
dtype (dtype): Dtype of returned ndarray.
Returns:
numpy.ndarray or cupy.ndarray:
"""
dtype = numpy.dtype(dtype)
size = numpy.prod(shape)
if dtype == '?':
start = max(start, 0)
stop = min(stop, 1)
elif dtype.kind == 'u':
start = max(start, 0)
a = numpy.linspace(start, stop, size)
return xp.array(a.astype(dtype).reshape(shape))
def generate_matrix(
shape, xp=cupy, dtype=numpy.float32, *, singular_values=None):
r"""Returns a matrix with specified singular values.
Generates a random matrix with given singular values.
This function generates a random NumPy matrix (or a stack of matrices) that
has specified singular values. It can be used to generate the inputs for a
test that can be instable when the input value behaves bad.
Notation: denote the shape of the generated array by :math:`(B..., M, N)`,
and :math:`K = min\{M, N\}`. :math:`B...` may be an empty sequence.
Args:
shape (tuple of int): Shape of the generated array, i.e.,
:math:`(B..., M, N)`.
xp (numpy or cupy): Array module to use.
dtype: Dtype of the generated array.
singular_values (array-like): Singular values of the generated
matrices. It must be broadcastable to shape :math:`(B..., K)`.
Returns:
numpy.ndarray or cupy.ndarray: A random matrix that has specific
singular values.
"""
if len(shape) <= 1:
raise ValueError(
'shape {} is invalid for matrices: too few axes'.format(shape)
)
if singular_values is None:
raise TypeError('singular_values is not given')
singular_values = xp.asarray(singular_values)
dtype = numpy.dtype(dtype)
if dtype.kind not in 'fc':
raise TypeError('dtype {} is not supported'.format(dtype))
if not xp.isrealobj(singular_values):
raise TypeError('singular_values is not real')
if (singular_values < 0).any():
raise ValueError('negative singular value is given')
# Generate random matrices with given singular values. We simply generate
# orthogonal vectors using SVD on random matrices and then combine them
# with the given singular values.
a = xp.random.randn(*shape)
if dtype.kind == 'c':
a = a + 1j * xp.random.randn(*shape)
u, s, vh = xp.linalg.svd(a, full_matrices=False)
sv = xp.broadcast_to(singular_values, s.shape)
a = xp.einsum('...ik,...k,...kj->...ij', u, sv, vh)
return a.astype(dtype)
@contextlib.contextmanager
def assert_warns(expected):
with warnings.catch_warnings(record=True) as w:
warnings.simplefilter('always')
yield
if any(isinstance(m.message, expected) for m in w):
return
try:
exc_name = expected.__name__
except AttributeError:
exc_name = str(expected)
raise AssertionError('%s not triggerred' % exc_name)
class NumpyAliasTestBase(unittest.TestCase):
@property
def func(self):
raise NotImplementedError()
@property
def cupy_func(self):
return getattr(cupy, self.func)
@property
def numpy_func(self):
return getattr(numpy, self.func)
class NumpyAliasBasicTestBase(NumpyAliasTestBase):
def test_argspec(self):
f = inspect.signature
assert f(self.cupy_func) == f(self.numpy_func)
def test_docstring(self):
cupy_func = self.cupy_func
numpy_func = self.numpy_func
assert hasattr(cupy_func, '__doc__')
assert cupy_func.__doc__ is not None
assert cupy_func.__doc__ != ''
assert cupy_func.__doc__ is not numpy_func.__doc__
class NumpyAliasValuesTestBase(NumpyAliasTestBase):
def test_values(self):
assert self.cupy_func(*self.args) == self.numpy_func(*self.args)
@contextlib.contextmanager
def assert_function_is_called(*args, times_called=1, **kwargs):
"""A handy wrapper for unittest.mock to check if a function is called.
Args:
*args: Arguments of `mock.patch`.
times_called (int): The number of times the function should be
called. Default is ``1``.
**kwargs: Keyword arguments of `mock.patch`.
"""
with mock.patch(*args, **kwargs) as handle:
yield
assert handle.call_count == times_called
# TODO(kataoka): remove this alias
AssertFunctionIsCalled = assert_function_is_called
|