-
-
Notifications
You must be signed in to change notification settings - Fork 31.5k
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
bpo-29679: Implement @contextlib.asynccontextmanager #360
Merged
Merged
Changes from all commits
Commits
Show all changes
18 commits
Select commit
Hold shift + click to select a range
904e8a8
implement @asynccontextmanager
JelleZijlstra b3d59f1
add it to __all__
JelleZijlstra a1d5b3f
add tests (duplicating the @contextmanager ones)
JelleZijlstra c5b8b43
add docs
JelleZijlstra ca77cd2
back out ContextDecorator for asynccontextmanager (it doesn't work); …
JelleZijlstra 689f4a5
move asynccontextmanager tests into their own file
JelleZijlstra 299d968
fix when tests are run after test_asyncio
JelleZijlstra e974d48
add a few more tests
JelleZijlstra 5808a4c
combine duplicate tests
JelleZijlstra 9caa243
additional test for RuntimeError wrapping
JelleZijlstra 64e6908
address 1st1's comments
JelleZijlstra 178433b
clean up "except:" and explain why we can't do that for @contextmanager
JelleZijlstra 6d0dddb
old-style classes, not strings
JelleZijlstra ad65b4d
add to whatsnew (and alphabetize modules)
JelleZijlstra 737fd0f
add wraps decorator, add to docstring
JelleZijlstra 3fc20a7
unalphabetize whatsnew
JelleZijlstra 06697a8
Merge branch 'master' into asynccontextmanager
1st1 bb8de0d
Merge branch 'master' into asynccontextmanager
JelleZijlstra File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -4,9 +4,9 @@ | |
from collections import deque | ||
from functools import wraps | ||
|
||
__all__ = ["contextmanager", "closing", "AbstractContextManager", | ||
"ContextDecorator", "ExitStack", "redirect_stdout", | ||
"redirect_stderr", "suppress"] | ||
__all__ = ["asynccontextmanager", "contextmanager", "closing", | ||
"AbstractContextManager", "ContextDecorator", "ExitStack", | ||
"redirect_stdout", "redirect_stderr", "suppress"] | ||
|
||
|
||
class AbstractContextManager(abc.ABC): | ||
|
@@ -54,8 +54,8 @@ def inner(*args, **kwds): | |
return inner | ||
|
||
|
||
class _GeneratorContextManager(ContextDecorator, AbstractContextManager): | ||
"""Helper for @contextmanager decorator.""" | ||
class _GeneratorContextManagerBase: | ||
"""Shared functionality for @contextmanager and @asynccontextmanager.""" | ||
|
||
def __init__(self, func, args, kwds): | ||
self.gen = func(*args, **kwds) | ||
|
@@ -71,6 +71,12 @@ def __init__(self, func, args, kwds): | |
# for the class instead. | ||
# See http://bugs.python.org/issue19404 for more details. | ||
|
||
|
||
class _GeneratorContextManager(_GeneratorContextManagerBase, | ||
AbstractContextManager, | ||
ContextDecorator): | ||
"""Helper for @contextmanager decorator.""" | ||
|
||
def _recreate_cm(self): | ||
# _GCM instances are one-shot context managers, so the | ||
# CM must be recreated each time a decorated function is | ||
|
@@ -121,12 +127,61 @@ def __exit__(self, type, value, traceback): | |
# fixes the impedance mismatch between the throw() protocol | ||
# and the __exit__() protocol. | ||
# | ||
# This cannot use 'except BaseException as exc' (as in the | ||
# async implementation) to maintain compatibility with | ||
# Python 2, where old-style class exceptions are not caught | ||
# by 'except BaseException'. | ||
if sys.exc_info()[1] is value: | ||
return False | ||
raise | ||
raise RuntimeError("generator didn't stop after throw()") | ||
|
||
|
||
class _AsyncGeneratorContextManager(_GeneratorContextManagerBase): | ||
"""Helper for @asynccontextmanager.""" | ||
|
||
async def __aenter__(self): | ||
try: | ||
return await self.gen.__anext__() | ||
except StopAsyncIteration: | ||
raise RuntimeError("generator didn't yield") from None | ||
|
||
async def __aexit__(self, typ, value, traceback): | ||
if typ is None: | ||
try: | ||
await self.gen.__anext__() | ||
except StopAsyncIteration: | ||
return | ||
else: | ||
raise RuntimeError("generator didn't stop") | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Missing test case here as well. |
||
else: | ||
if value is None: | ||
value = typ() | ||
# See _GeneratorContextManager.__exit__ for comments on subtleties | ||
# in this implementation | ||
try: | ||
await self.gen.athrow(typ, value, traceback) | ||
raise RuntimeError("generator didn't stop after throw()") | ||
except StopAsyncIteration as exc: | ||
return exc is not value | ||
except RuntimeError as exc: | ||
if exc is value: | ||
return False | ||
# Avoid suppressing if a StopIteration exception | ||
# was passed to throw() and later wrapped into a RuntimeError | ||
# (see PEP 479 for sync generators; async generators also | ||
# have this behavior). But do this only if the exception wrapped | ||
# by the RuntimeError is actully Stop(Async)Iteration (see | ||
# issue29692). | ||
if isinstance(value, (StopIteration, StopAsyncIteration)): | ||
if exc.__cause__ is value: | ||
return False | ||
raise | ||
except BaseException as exc: | ||
if exc is not value: | ||
raise | ||
|
||
|
||
def contextmanager(func): | ||
"""@contextmanager decorator. | ||
|
||
|
@@ -153,14 +208,46 @@ def some_generator(<arguments>): | |
<body> | ||
finally: | ||
<cleanup> | ||
|
||
""" | ||
@wraps(func) | ||
def helper(*args, **kwds): | ||
return _GeneratorContextManager(func, args, kwds) | ||
return helper | ||
|
||
|
||
def asynccontextmanager(func): | ||
"""@asynccontextmanager decorator. | ||
|
||
Typical usage: | ||
|
||
@asynccontextmanager | ||
async def some_async_generator(<arguments>): | ||
<setup> | ||
try: | ||
yield <value> | ||
finally: | ||
<cleanup> | ||
|
||
This makes this: | ||
|
||
async with some_async_generator(<arguments>) as <variable>: | ||
<body> | ||
|
||
equivalent to this: | ||
|
||
<setup> | ||
try: | ||
<variable> = <value> | ||
<body> | ||
finally: | ||
<cleanup> | ||
""" | ||
@wraps(func) | ||
def helper(*args, **kwds): | ||
return _AsyncGeneratorContextManager(func, args, kwds) | ||
return helper | ||
|
||
|
||
class closing(AbstractContextManager): | ||
"""Context to automatically close something at the end of a block. | ||
|
||
|
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Diff coverage shows a missing test case for this line.