本文整理汇总了Python中pytest.param方法的典型用法代码示例。如果您正苦于以下问题:Python pytest.param方法的具体用法?Python pytest.param怎么用?Python pytest.param使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类pytest
的用法示例。
在下文中一共展示了pytest.param方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: epochs
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def epochs(epoch_1960, request):
"""Timestamp at 1960-01-01 in various forms.
* pd.Timestamp
* datetime.datetime
* numpy.datetime64
* str
"""
assert request.param in {'timestamp', 'pydatetime', 'datetime64',
"str_1960"}
if request.param == 'timestamp':
return epoch_1960
elif request.param == 'pydatetime':
return epoch_1960.to_pydatetime()
elif request.param == "datetime64":
return epoch_1960.to_datetime64()
else:
return str(epoch_1960)
示例2: __init__
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def __init__(self,
valuegetter, # type: Callable[[], Any]
id=None, # type: str
marks=() # type: Sequence
):
"""
Creates a reference to a value getter, to be used in `parametrize_plus`.
A `lazy_value` is the same thing than a function-scoped fixture, except that the value getter function is not a
fixture and therefore can neither be parametrized nor depend on fixtures. It should have no mandatory argument.
Note that a `lazy_value` can be included in a `pytest.param` without problem. In that case the id defined by
`pytest.param` will take precedence over the one defined in `lazy_value` if any. The marks, however,
will all be kept wherever they are defined.
:param valuegetter: a callable without mandatory arguments
:param id: an optional id. Otherwise `valuegetter.__name__` will be used by default
:param marks: optional marks. `valuegetter` marks will also be preserved.
"""
self.valuegetter = valuegetter
self._id = id
self._marks = marks
示例3: explicit
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def explicit(param # type: ParamAlternative
):
if isinstance(param, SingleParamAlternative):
# return "%s_is_P%s" % (param.param_name, param.argvalues_index)
return "%s_is_%s" % (param.argnames_str, param.get_id())
elif isinstance(param, MultiParamAlternative):
return "%s_is_P%stoP%s" % (param.argnames_str, param.argvalues_index_from, param.argvalues_index_to - 1)
elif isinstance(param, FixtureParamAlternative):
return "%s_is_%s" % (param.argnames_str, param.alternative_name)
elif isinstance(param, ProductParamAlternative):
return "%s_is_P%s" % (param.argnames_str, param.argvalues_index)
else:
raise TypeError("Unsupported alternative: %r" % param)
# @staticmethod
# def compact(param):
# return "U%s" % param.alternative_name
示例4: is_fixture_union_params
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def is_fixture_union_params(params):
"""
Internal helper to quickly check if a bunch of parameters correspond to a union fixture.
:param params:
:return:
"""
try:
if len(params) < 1:
return False
else:
if getattr(params, '__module__', '').startswith('pytest_cases'):
# a value_ref_tuple or another proxy object created somewhere in our code, not a list
return False
p0 = params[0]
if is_marked_parameter_value(p0):
p0 = get_marked_parameter_values(p0)[0]
return isinstance(p0, UnionFixtureAlternative)
except TypeError:
raise InvalidParamsList(params)
示例5: get_param_names
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def get_param_names(fnode):
"""
Returns a list of parameter names for the given pytest Function node.
parameterization marks containing several names are split
:param fnode:
:return:
"""
p_markers = get_parametrization_markers(fnode)
param_names = []
for paramz_mark in p_markers:
param_names += get_param_argnames_as_list(paramz_mark.args[0])
return param_names
# ---------------- working on functions
示例6: get_pytest_marks_on_function
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def get_pytest_marks_on_function(f, as_decorators=False):
"""
Utility to return *ALL* pytest marks (not only parametrization) applied on a function
:param f:
:param as_decorators: transforms the marks into decorators before returning them
:return:
"""
try:
mks = f.pytestmark
except AttributeError:
try:
# old pytest < 3: marks are set as fields on the function object
# but they do not have a particulat type, their type is 'instance'...
mks = [v for v in vars(f).values() if str(v).startswith("<MarkInfo '")]
except AttributeError:
mks = []
if as_decorators:
return transform_marks_into_decorators(mks)
else:
return mks
示例7: test_subsequent_contexts
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def test_subsequent_contexts():
# Force a very fast fit
with StepwiseContext(max_dur=.5), \
pytest.warns(UserWarning):
auto_arima(lynx, stepwise=True)
# Out of scope, should be EMPTY
assert ContextStore.get_or_empty(ContextType.STEPWISE).get_type() \
is ContextType.EMPTY
# Now show that we DON'T hit early termination by time here
with StepwiseContext(max_steps=100), \
pytest.warns(UserWarning) as uw:
ctx = ContextStore.get_or_empty(ContextType.STEPWISE)
assert ctx.get_type() is ContextType.STEPWISE
assert ctx.max_dur is None
auto_arima(lynx, stepwise=True)
# assert that max_dur was NOT reached
assert not any(str(w.message)
.startswith('early termination') for w in uw)
# test param validation of ContextStore's add, get and remove members
示例8: all_test_vectors
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def all_test_vectors() -> Iterable[Any]:
"""Collect and iterate through all test vectors."""
with open(test_vectors_filename(), "r") as vectors_file:
raw_vectors = json.load(vectors_file)
for vector in raw_vectors:
vector_name = "::".join([vector["key-type"], vector["algorithm-suite"]])
plaintext = base64.b64decode(vector["plaintext"].encode("utf-8"))
ciphertext = base64.b64decode(vector["ciphertext"].encode("utf-8"))
yield pytest.param(
TestVector(
plaintext=plaintext,
ciphertext=ciphertext,
key_type=vector["key-type"],
algorithm_suite=vector["algorithm-suite"],
),
id=vector_name,
)
示例9: up
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def up(self, request):
return urlmatch.UrlPattern(request.param)
示例10: signal_obj
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def signal_obj(request):
klass, wrap = request.param
obj = klass()
if wrap:
debug.log_signals(obj)
return obj
示例11: freezer
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def freezer(request, monkeypatch):
if request.param and not getattr(sys, 'frozen', False):
monkeypatch.setattr(sys, 'frozen', True, raising=False)
monkeypatch.setattr(sys, 'executable', qutebrowser.__file__)
elif not request.param and getattr(sys, 'frozen', False):
# Want to test unfrozen tests, but we are frozen
pytest.skip("Can't run with sys.frozen = True!")
示例12: gen_classes
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def gen_classes(): # pylint: disable=no-method-argument
"""Yield all configtypes classes to test.
Not a method as it's used in decorators.
"""
for _name, member in inspect.getmembers(configtypes, inspect.isclass):
if member in [configtypes.BaseType, configtypes.MappingType,
configtypes._Numeric, configtypes.FontBase]:
pass
elif (member is configtypes.List or
member is configtypes.ListOrValue):
yield pytest.param(
functools.partial(member, valtype=configtypes.Int()),
id=member.__name__ + '-Int')
yield pytest.param(
functools.partial(member, valtype=configtypes.Url()),
id=member.__name__ + '-Url')
elif member is configtypes.Dict:
yield pytest.param(
functools.partial(member, keytype=configtypes.String(),
valtype=configtypes.String()),
id=member.__name__)
elif member is configtypes.FormatString:
yield pytest.param(
functools.partial(member, fields=['a', 'b']),
id=member.__name__)
elif issubclass(member, configtypes.BaseType):
yield member
示例13: iter_struct_object_dtypes
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def iter_struct_object_dtypes():
"""
Iterates over a few complex dtypes and object pattern which
fill the array with a given object (defaults to a singleton).
Yields
------
dtype : dtype
pattern : tuple
Structured tuple for use with `np.array`.
count : int
Number of objects stored in the dtype.
singleton : object
A singleton object. The returned pattern is constructed so that
all objects inside the datatype are set to the singleton.
"""
obj = object()
dt = np.dtype([('b', 'O', (2, 3))])
p = ([[obj] * 3] * 2,)
yield pytest.param(dt, p, 6, obj, id="<subarray>")
dt = np.dtype([('a', 'i4'), ('b', 'O', (2, 3))])
p = (0, [[obj] * 3] * 2)
yield pytest.param(dt, p, 6, obj, id="<subarray in field>")
dt = np.dtype([('a', 'i4'),
('b', [('ba', 'O'), ('bb', 'i1')], (2, 3))])
p = (0, [[(obj, 0)] * 3] * 2)
yield pytest.param(dt, p, 6, obj, id="<structured subarray 1>")
dt = np.dtype([('a', 'i4'),
('b', [('ba', 'O'), ('bb', 'O')], (2, 3))])
p = (0, [[(obj, obj)] * 3] * 2)
yield pytest.param(dt, p, 12, obj, id="<structured subarray 2>")
示例14: spmatrix
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def spmatrix(request):
from scipy import sparse
return getattr(sparse, request.param + '_matrix')
示例15: unique_nulls_fixture
# 需要导入模块: import pytest [as 别名]
# 或者: from pytest import param [as 别名]
def unique_nulls_fixture(request):
"""
Fixture for each null type in pandas, each null type exactly once
"""
return request.param
# Generate cartesian product of unique_nulls_fixture: