forked from pytest-dev/pytest-asyncio
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathplugin.py
289 lines (225 loc) · 9.49 KB
/
plugin.py
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
"""pytest-asyncio implementation."""
import asyncio
import contextlib
import functools
import inspect
import socket
import pytest
from _pytest.python import transfer_markers
try:
from async_generator import isasyncgenfunction
except ImportError:
from inspect import isasyncgenfunction
def _is_coroutine(obj):
"""Check to see if an object is really an asyncio coroutine."""
return asyncio.iscoroutinefunction(obj) or inspect.isgeneratorfunction(obj)
def pytest_configure(config):
"""Inject documentation."""
config.addinivalue_line("markers",
"asyncio: "
"mark the test as a coroutine, it will be "
"run using an asyncio event loop")
@pytest.mark.tryfirst
def pytest_pycollect_makeitem(collector, name, obj):
"""A pytest hook to collect asyncio coroutines."""
if collector.funcnamefilter(name) and _is_coroutine(obj):
item = pytest.Function(name, parent=collector)
# Due to how pytest test collection works, module-level pytestmarks
# are applied after the collection step. Since this is the collection
# step, we look ourselves.
transfer_markers(obj, item.cls, item.module)
item = pytest.Function(name, parent=collector) # To reload keywords.
if 'asyncio' in item.keywords:
return list(collector._genfunctions(name, obj))
@pytest.hookimpl(hookwrapper=True)
def pytest_fixture_setup(fixturedef, request):
"""Adjust the event loop policy when an event loop is produced."""
if isasyncgenfunction(fixturedef.func):
# This is an async generator function. Wrap it accordingly.
f = fixturedef.func
strip_event_loop = False
if 'event_loop' not in fixturedef.argnames:
fixturedef.argnames += ('event_loop', )
strip_event_loop = True
strip_request = False
if 'request' not in fixturedef.argnames:
fixturedef.argnames += ('request', )
strip_request = True
def wrapper(*args, **kwargs):
loop = kwargs['event_loop']
request = kwargs['request']
if strip_event_loop:
del kwargs['event_loop']
if strip_request:
del kwargs['request']
gen_obj = f(*args, **kwargs)
async def setup():
res = await gen_obj.__anext__()
return res
def finalizer():
"""Yield again, to finalize."""
async def async_finalizer():
try:
await gen_obj.__anext__()
except StopAsyncIteration:
pass
else:
msg = "Async generator fixture didn't stop."
msg += "Yield only once."
raise ValueError(msg)
loop.run_until_complete(async_finalizer())
request.addfinalizer(finalizer)
return loop.run_until_complete(setup())
fixturedef.func = wrapper
elif inspect.iscoroutinefunction(fixturedef.func):
# Just a coroutine, not an async generator.
f = fixturedef.func
strip_event_loop = False
if 'event_loop' not in fixturedef.argnames:
fixturedef.argnames += ('event_loop', )
strip_event_loop = True
def wrapper(*args, **kwargs):
loop = kwargs['event_loop']
if strip_event_loop:
del kwargs['event_loop']
async def setup():
res = await f(*args, **kwargs)
return res
return loop.run_until_complete(setup())
fixturedef.func = wrapper
outcome = yield
if fixturedef.argname == "event_loop" and 'asyncio' in request.keywords:
loop = outcome.get_result()
for kw in _markers_2_fixtures.keys():
if kw not in request.keywords:
continue
policy = asyncio.get_event_loop_policy()
try:
old_loop = policy.get_event_loop()
except RuntimeError as exc:
if 'no current event loop' not in str(exc):
raise
old_loop = None
policy.set_event_loop(loop)
fixturedef.addfinalizer(lambda: policy.set_event_loop(old_loop))
@pytest.mark.tryfirst
def pytest_pyfunc_call(pyfuncitem):
"""
Run asyncio marked test functions in an event loop instead of a normal
function call.
"""
for marker_name, fixture_name in _markers_2_fixtures.items():
if marker_name in pyfuncitem.keywords \
and not getattr(pyfuncitem.obj, 'is_hypothesis_test', False):
event_loop = pyfuncitem.funcargs[fixture_name]
funcargs = pyfuncitem.funcargs
testargs = {arg: funcargs[arg]
for arg in pyfuncitem._fixtureinfo.argnames}
event_loop.run_until_complete(
asyncio.ensure_future(
pyfuncitem.obj(**testargs), loop=event_loop))
return True
def wrap_in_sync(func):
"""Return a sync wrapper around an async function."""
@functools.wraps(func)
def inner(**kwargs):
loop = asyncio.get_event_loop_policy().new_event_loop()
try:
coro = func(**kwargs)
if coro is not None:
future = asyncio.ensure_future(coro, loop=loop)
loop.run_until_complete(future)
finally:
loop.close()
return inner
def pytest_runtest_setup(item):
for marker, fixture in _markers_2_fixtures.items():
if marker in item.keywords and fixture not in item.fixturenames:
# inject an event loop fixture for all async tests
item.fixturenames.append(fixture)
if item.get_closest_marker("asyncio") is not None:
if hasattr(item.obj, 'hypothesis'):
# If it's a Hypothesis test, we insert the wrap_in_sync decorator
item.obj.hypothesis.inner_test = wrap_in_sync(
item.obj.hypothesis.inner_test
)
elif getattr(item.obj, 'is_hypothesis_test', False):
pytest.fail(
'test function `%r` is using Hypothesis, but pytest-asyncio '
'only works with Hypothesis 3.64.0 or later.' % item
)
# maps marker to the name of the event loop fixture that will be available
# to marked test functions
_markers_2_fixtures = {
'asyncio': 'event_loop',
}
def _event_loop_policy():
"""
Create a new class for ClockEventLoopPolicy based on the current
class-type produced by `asyncio.get_event_loop_policy()`. This is important
for instances in which the enent-loop-policy has been changed.
"""
class ClockEventLoopPolicy(asyncio.get_event_loop_policy().__class__):
"A custom event loop policy for ClockEventLoop"
def new_event_loop(self):
parent_loop = super().new_event_loop()
parent_loop.close()
class ClockEventLoop(parent_loop.__class__):
"""
A custom event loop that explicitly advances time when requested. Otherwise,
this event loop advances time as expected.
"""
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self._clockoffset = 0
def time(self):
"""
Return the time according the event loop's clock.
This time is adjusted by the stored offset that allows for advancement
with `advance_time`.
"""
return super().time() + self._clockoffset
def advance_time(self, seconds):
'''
Advance time by a given offset in seconds. Returns an awaitable
that will complete after all tasks scheduled for after advancement
of time are proceeding.
'''
if seconds > 0:
# advance the clock by the given offset
self._clockoffset += seconds
# Once the clock is adjusted, new tasks may have just been
# scheduled for running in the next pass through the event loop
return self.create_task(asyncio.sleep(0))
# return the new event loop
return ClockEventLoop()
# return the new event loop policy
return ClockEventLoopPolicy()
@pytest.yield_fixture
def event_loop(request):
"""Create an instance of the default event loop for each test case."""
# reset the event loop policy: modify existing policy to give time advancement
asyncio.set_event_loop_policy(_event_loop_policy())
loop = asyncio.get_event_loop_policy().new_event_loop()
yield loop
loop.close()
def _unused_tcp_port():
"""Find an unused localhost TCP port from 1024-65535 and return it."""
with contextlib.closing(socket.socket()) as sock:
sock.bind(('127.0.0.1', 0))
return sock.getsockname()[1]
@pytest.fixture
def unused_tcp_port():
return _unused_tcp_port()
@pytest.fixture
def unused_tcp_port_factory():
"""A factory function, producing different unused TCP ports."""
produced = set()
def factory():
"""Return an unused port."""
port = _unused_tcp_port()
while port in produced:
port = _unused_tcp_port()
produced.add(port)
return port
return factory