Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[35] Support async/await fixtures #37

Merged
Merged
Changes from all commits
Commits
Show all changes
32 commits
Select commit Hold shift + click to select a range
346ff55
Support async/await fixtures
altendky Sep 21, 2018
ea36e2f
Support async/await fixture setup with yield (not shutdown yet)
altendky Sep 21, 2018
a9d8484
Support async/await fixture shutdown
altendky Sep 21, 2018
a85ab00
Drop @inlineCallbacks from in_reactor()
altendky Sep 22, 2018
7a68927
remove diagnostic prints from tests
altendky Sep 25, 2018
6e9054a
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Sep 25, 2018
6e9951d
Add asycn/await fixtures to README.rst
altendky Sep 25, 2018
fae01a1
readme typo
altendky Sep 25, 2018
eac4843
Explain why the test is yielding a deferred-containing tuple
altendky Oct 2, 2018
7643a17
Let multiple async fixtures teardown concurrently
altendky Oct 2, 2018
a03f2ca
Report async fixture name if it yields multiple times
altendky Oct 2, 2018
29c8185
Add concurrent teardown test
altendky Oct 2, 2018
540671b
Correct concurrent teardown marker to skip_if_no_async_generators
altendky Oct 2, 2018
14b16ca
Link to changelogs for ASYNC_ present checks
altendky Oct 2, 2018
f2da645
Rework test_async_fixture_concurrent_teardown to avoid time-dependence
altendky Oct 4, 2018
b0b623e
Timeout on failure test_async_fixture_concurrent_teardown
altendky Oct 5, 2018
0eeb6c1
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Oct 26, 2018
3ac4209
Require explicit async_fixture() or async_yield_fixture() decorator
altendky Oct 27, 2018
ae3d2b2
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Jan 16, 2019
f4d95d6
Remove stale import
altendky Jan 16, 2019
cb6d4a3
Move ASYNC_AWAIT/GENERATORS to testing/test_basic.py
altendky Jan 16, 2019
c08c98a
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Jan 16, 2019
5205ad7
Correct readme example to @pytest_twisted.async_fixture
altendky Jan 16, 2019
50c833d
`something` isn't a descriptive variable name
altendky Jan 16, 2019
64d7498
@functools.wraps(pytest.fixture) in _marked_async_fixture()
altendky Jan 16, 2019
86403f0
RuntimeError -> AsyncGeneratorFixtureDidNotStopError
altendky Jan 16, 2019
72558a4
Finish async generator fixtures in reverse order they were brought up
altendky Jan 16, 2019
bdf459a
Only function scope supported for async fixtures
altendky Jan 16, 2019
bac0f90
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Jan 19, 2019
935804a
Merge branch 'master' into 35-altendky-tidy_async_await_fixtures
altendky Sep 26, 2019
bfbbd60
Correct new readme example to show as a code block
altendky Sep 26, 2019
3e4d008
Correct a few test names to `*async_yield*`
altendky Sep 26, 2019
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
16 changes: 16 additions & 0 deletions README.rst
Original file line number Diff line number Diff line change
@@ -83,6 +83,22 @@ Waiting for deferreds in fixtures
return pytest_twisted.blockon(d)


async/await fixtures
====================
``async``/``await`` fixtures can be used along with ``yield`` for normal
pytest fixture semantics of setup, value, and teardown. At present only
function scope is supported::

@pytest_twisted.async_fixture
async def foo():
d1, d2 = defer.Deferred(), defer.Deferred()
reactor.callLater(0.01, d1.callback, 42)
reactor.callLater(0.02, d2.callback, 37)
value = await d1
yield value
await d2


The twisted greenlet
====================
Some libraries (e.g. corotwine) need to know the greenlet, which is
107 changes: 105 additions & 2 deletions pytest_twisted.py
Original file line number Diff line number Diff line change
@@ -15,6 +15,30 @@ class WrongReactorAlreadyInstalledError(Exception):
pass


class UnrecognizedCoroutineMarkError(Exception):
@classmethod
def from_mark(cls, mark):
return cls(
'Coroutine wrapper mark not recognized: {}'.format(repr(mark)),
)


class AsyncGeneratorFixtureDidNotStopError(Exception):
@classmethod
def from_generator(cls, generator):
return cls(
'async fixture did not stop: {}'.format(generator),
)


class AsyncFixtureUnsupportedScopeError(Exception):
@classmethod
def from_scope(cls, scope):
return cls(
'Unsupported scope used for async fixture: {}'.format(scope)
)


class _config:
external_reactor = False

@@ -105,16 +129,95 @@ def stop_twisted_greenlet():
_instances.gr_twisted.switch()


class _CoroutineWrapper:
def __init__(self, coroutine, mark):
self.coroutine = coroutine
self.mark = mark


def _marked_async_fixture(mark):
@functools.wraps(pytest.fixture)
def fixture(*args, **kwargs):
try:
scope = args[0]
except IndexError:
scope = kwargs.get('scope', 'function')

if scope != 'function':
raise AsyncFixtureUnsupportedScopeError.from_scope(scope=scope)

def marker(f):
@functools.wraps(f)
def w(*args, **kwargs):
return _CoroutineWrapper(
coroutine=f(*args, **kwargs),
mark=mark,
)

return w

def decorator(f):
result = pytest.fixture(*args, **kwargs)(marker(f))

return result

return decorator

return fixture


async_fixture = _marked_async_fixture('async_fixture')
async_yield_fixture = _marked_async_fixture('async_yield_fixture')


@defer.inlineCallbacks
def _pytest_pyfunc_call(pyfuncitem):
testfunction = pyfuncitem.obj
async_generators = []
funcargs = pyfuncitem.funcargs
if hasattr(pyfuncitem, "_fixtureinfo"):
testargs = {}
for arg in pyfuncitem._fixtureinfo.argnames:
testargs[arg] = funcargs[arg]
if isinstance(funcargs[arg], _CoroutineWrapper):
wrapper = funcargs[arg]

if wrapper.mark == 'async_fixture':
arg_value = yield defer.ensureDeferred(
wrapper.coroutine
)
elif wrapper.mark == 'async_yield_fixture':
async_generators.append((arg, wrapper))
arg_value = yield defer.ensureDeferred(
wrapper.coroutine.__anext__(),
)
else:
raise UnrecognizedCoroutineMarkError.from_mark(
mark=wrapper.mark,
)
else:
arg_value = funcargs[arg]

testargs[arg] = arg_value
else:
testargs = funcargs
return testfunction(**testargs)
result = yield testfunction(**testargs)

async_generator_deferreds = [
(arg, defer.ensureDeferred(g.coroutine.__anext__()))
for arg, g in reversed(async_generators)
]

for arg, d in async_generator_deferreds:
try:
yield d
except StopAsyncIteration:
continue
else:
raise AsyncGeneratorFixtureDidNotStopError.from_generator(
generator=arg,
)

defer.returnValue(result)


def pytest_pyfunc_call(pyfuncitem):
162 changes: 162 additions & 0 deletions testing/test_basic.py
Original file line number Diff line number Diff line change
@@ -4,8 +4,12 @@
import pytest


# https://docs.python.org/3/whatsnew/3.5.html#pep-492-coroutines-with-async-and-await-syntax
ASYNC_AWAIT = sys.version_info >= (3, 5)

# https://docs.python.org/3/whatsnew/3.6.html#pep-525-asynchronous-generators
ASYNC_GENERATORS = sys.version_info >= (3, 6)


def assert_outcomes(run_result, outcomes):
formatted_output = format_run_result_output_for_assert(run_result)
@@ -47,6 +51,13 @@ def skip_if_no_async_await():
)


def skip_if_no_async_generators():
return pytest.mark.skipif(
not ASYNC_GENERATORS,
reason="async generators not support on Python <3.6",
)


@pytest.fixture
def cmd_opts(request):
reactor = request.config.getoption("reactor", "default")
@@ -303,6 +314,157 @@ async def test_succeed(foo):
assert_outcomes(rr, {"passed": 2, "failed": 1})


@skip_if_no_async_await()
def test_async_fixture(testdir, cmd_opts):
test_file = """
from twisted.internet import reactor, defer
import pytest
import pytest_twisted
@pytest_twisted.async_fixture(scope="function", params=["fs", "imap", "web"])
@pytest.mark.redgreenblue
async def foo(request):
d1, d2 = defer.Deferred(), defer.Deferred()
reactor.callLater(0.01, d1.callback, 1)
reactor.callLater(0.02, d2.callback, request.param)
await d1
return d2,
@pytest_twisted.inlineCallbacks
def test_succeed_blue(foo):
x = yield foo[0]
if x == "web":
raise RuntimeError("baz")
"""
testdir.makepyfile(test_file)
rr = testdir.run(sys.executable, "-m", "pytest", "-v", *cmd_opts)
assert_outcomes(rr, {"passed": 2, "failed": 1})


@skip_if_no_async_generators()
def test_async_yield_fixture_concurrent_teardown(testdir, cmd_opts):
test_file = """
from twisted.internet import reactor, defer
import pytest
import pytest_twisted
here = defer.Deferred()
there = defer.Deferred()
@pytest_twisted.async_yield_fixture()
async def this():
yield 42
there.callback(None)
reactor.callLater(5, here.cancel)
await here
@pytest_twisted.async_yield_fixture()
async def that():
yield 37
here.callback(None)
reactor.callLater(5, there.cancel)
await there
def test_succeed(this, that):
pass
"""
testdir.makepyfile(test_file)
# TODO: add a timeout, failure just hangs indefinitely for now
# https://github.com/pytest-dev/pytest/issues/4073
rr = testdir.run(sys.executable, "-m", "pytest", "-v", *cmd_opts)
assert_outcomes(rr, {"passed": 1})


@skip_if_no_async_generators()
def test_async_yield_fixture(testdir, cmd_opts):
test_file = """
from twisted.internet import reactor, defer
import pytest
import pytest_twisted
@pytest_twisted.async_yield_fixture(
scope="function",
params=["fs", "imap", "web", "gopher", "archie"],
)
async def foo(request):
d1, d2 = defer.Deferred(), defer.Deferred()
reactor.callLater(0.01, d1.callback, 1)
reactor.callLater(0.02, d2.callback, request.param)
await d1
# Twisted doesn't allow calling back with a Deferred as a value.
# This deferred is being wrapped up in a tuple to sneak through.
# https://github.com/twisted/twisted/blob/c0f1394c7bfb04d97c725a353a1f678fa6a1c602/src/twisted/internet/defer.py#L459
yield d2,
if request.param == "gopher":
raise RuntimeError("gaz")
if request.param == "archie":
yield 42
@pytest_twisted.inlineCallbacks
def test_succeed(foo):
x = yield foo[0]
if x == "web":
raise RuntimeError("baz")
"""
testdir.makepyfile(test_file)
rr = testdir.run(sys.executable, "-m", "pytest", "-v", *cmd_opts)
assert_outcomes(rr, {"passed": 2, "failed": 3})


@skip_if_no_async_generators()
def test_async_yield_fixture_function_scope(testdir, cmd_opts):
test_file = """
from twisted.internet import reactor, defer
import pytest
import pytest_twisted
check_me = 0
@pytest_twisted.async_yield_fixture(scope="function")
async def foo():
global check_me
if check_me != 0:
raise Exception('check_me already modified before fixture run')
check_me = 1
yield 42
if check_me != 2:
raise Exception(
'check_me not updated properly: {}'.format(check_me),
)
check_me = 0
def test_first(foo):
global check_me
assert check_me == 1
assert foo == 42
check_me = 2
def test_second(foo):
global check_me
assert check_me == 1
assert foo == 42
check_me = 2
"""
testdir.makepyfile(test_file)
rr = testdir.run(sys.executable, "-m", "pytest", "-v", *cmd_opts)
assert_outcomes(rr, {"passed": 2})


def test_blockon_in_hook(testdir, cmd_opts, request):
skip_if_reactor_not(request, "default")
conftest_file = """