Browse Source

Add support for Trio via AnyIO (#3372)

Co-authored-by: Sebastián Ramírez <[email protected]>
pull/4007/head
Thomas Grainger 4 years ago
committed by GitHub
parent
commit
11d0a08acd
No known key found for this signature in database GPG Key ID: 4AEE18F83AFDEB23
  1. 1
      README.md
  2. 20
      docs/en/docs/advanced/async-tests.md
  3. 15
      docs/en/docs/advanced/extending-openapi.md
  4. 12
      docs/en/docs/advanced/templates.md
  5. 1
      docs/en/docs/index.md
  6. 9
      docs/en/docs/tutorial/dependencies/dependencies-with-yield.md
  7. 11
      docs/en/docs/tutorial/sql-databases.md
  8. 14
      docs/en/docs/tutorial/static-files.md
  9. 2
      docs_src/async_tests/test_main.py
  10. 45
      fastapi/concurrency.py
  11. 46
      fastapi/dependencies/utils.py
  12. 16
      pyproject.toml
  13. 12
      tests/test_fakeasync.py
  14. 2
      tests/test_tutorial/test_async_tests/test_main.py
  15. 10
      tests/test_tutorial/test_websockets/test_tutorial002.py

1
README.md

@ -442,7 +442,6 @@ Used by Pydantic:
Used by Starlette: Used by Starlette:
* <a href="https://requests.readthedocs.io" target="_blank"><code>requests</code></a> - Required if you want to use the `TestClient`. * <a href="https://requests.readthedocs.io" target="_blank"><code>requests</code></a> - Required if you want to use the `TestClient`.
* <a href="https://github.com/Tinche/aiofiles" target="_blank"><code>aiofiles</code></a> - Required if you want to use `FileResponse` or `StaticFiles`.
* <a href="https://jinja.palletsprojects.com" target="_blank"><code>jinja2</code></a> - Required if you want to use the default template configuration. * <a href="https://jinja.palletsprojects.com" target="_blank"><code>jinja2</code></a> - Required if you want to use the default template configuration.
* <a href="https://andrew-d.github.io/python-multipart/" target="_blank"><code>python-multipart</code></a> - Required if you want to support form <abbr title="converting the string that comes from an HTTP request into Python data">"parsing"</abbr>, with `request.form()`. * <a href="https://andrew-d.github.io/python-multipart/" target="_blank"><code>python-multipart</code></a> - Required if you want to support form <abbr title="converting the string that comes from an HTTP request into Python data">"parsing"</abbr>, with `request.form()`.
* <a href="https://pythonhosted.org/itsdangerous/" target="_blank"><code>itsdangerous</code></a> - Required for `SessionMiddleware` support. * <a href="https://pythonhosted.org/itsdangerous/" target="_blank"><code>itsdangerous</code></a> - Required for `SessionMiddleware` support.

20
docs/en/docs/advanced/async-tests.md

@ -6,21 +6,9 @@ Being able to use asynchronous functions in your tests could be useful, for exam
Let's look at how we can make that work. Let's look at how we can make that work.
## pytest-asyncio ## pytest.mark.anyio
If we want to call asynchronous functions in our tests, our test functions have to be asynchronous. Pytest provides a neat library for this, called `pytest-asyncio`, that allows us to specify that some test functions are to be called asynchronously. If we want to call asynchronous functions in our tests, our test functions have to be asynchronous. Anyio provides a neat plugin for this, that allows us to specify that some test functions are to be called asynchronously.
You can install it via:
<div class="termy">
```console
$ pip install pytest-asyncio
---> 100%
```
</div>
## HTTPX ## HTTPX
@ -66,7 +54,7 @@ $ pytest
## In Detail ## In Detail
The marker `@pytest.mark.asyncio` tells pytest that this test function should be called asynchronously: The marker `@pytest.mark.anyio` tells pytest that this test function should be called asynchronously:
```Python hl_lines="7" ```Python hl_lines="7"
{!../../../docs_src/async_tests/test_main.py!} {!../../../docs_src/async_tests/test_main.py!}
@ -97,4 +85,4 @@ that we used to make our requests with the `TestClient`.
As the testing function is now asynchronous, you can now also call (and `await`) other `async` functions apart from sending requests to your FastAPI application in your tests, exactly as you would call them anywhere else in your code. As the testing function is now asynchronous, you can now also call (and `await`) other `async` functions apart from sending requests to your FastAPI application in your tests, exactly as you would call them anywhere else in your code.
!!! tip !!! tip
If you encounter a `RuntimeError: Task attached to a different loop` when integrating asynchronous function calls in your tests (e.g. when using <a href="https://stackoverflow.com/questions/41584243/runtimeerror-task-attached-to-a-different-loop" class="external-link" target="_blank">MongoDB's MotorClient</a>) check out <a href="https://github.com/pytest-dev/pytest-asyncio/issues/38#issuecomment-264418154" class="external-link" target="_blank">this issue</a> in the pytest-asyncio repository. If you encounter a `RuntimeError: Task attached to a different loop` when integrating asynchronous function calls in your tests (e.g. when using <a href="https://stackoverflow.com/questions/41584243/runtimeerror-task-attached-to-a-different-loop" class="external-link" target="_blank">MongoDB's MotorClient</a>) Remember to instantiate objects that need an event loop only within async functions, e.g. an `'@app.on_event("startup")` callback.

15
docs/en/docs/advanced/extending-openapi.md

@ -152,21 +152,6 @@ After that, your file structure could look like:
└── swagger-ui.css └── swagger-ui.css
``` ```
### Install `aiofiles`
Now you need to install `aiofiles`:
<div class="termy">
```console
$ pip install aiofiles
---> 100%
```
</div>
### Serve the static files ### Serve the static files
* Import `StaticFiles`. * Import `StaticFiles`.

12
docs/en/docs/advanced/templates.md

@ -20,18 +20,6 @@ $ pip install jinja2
</div> </div>
If you need to also serve static files (as in this example), install `aiofiles`:
<div class="termy">
```console
$ pip install aiofiles
---> 100%
```
</div>
## Using `Jinja2Templates` ## Using `Jinja2Templates`
* Import `Jinja2Templates`. * Import `Jinja2Templates`.

1
docs/en/docs/index.md

@ -443,7 +443,6 @@ Used by Pydantic:
Used by Starlette: Used by Starlette:
* <a href="https://requests.readthedocs.io" target="_blank"><code>requests</code></a> - Required if you want to use the `TestClient`. * <a href="https://requests.readthedocs.io" target="_blank"><code>requests</code></a> - Required if you want to use the `TestClient`.
* <a href="https://github.com/Tinche/aiofiles" target="_blank"><code>aiofiles</code></a> - Required if you want to use `FileResponse` or `StaticFiles`.
* <a href="https://jinja.palletsprojects.com" target="_blank"><code>jinja2</code></a> - Required if you want to use the default template configuration. * <a href="https://jinja.palletsprojects.com" target="_blank"><code>jinja2</code></a> - Required if you want to use the default template configuration.
* <a href="https://andrew-d.github.io/python-multipart/" target="_blank"><code>python-multipart</code></a> - Required if you want to support form <abbr title="converting the string that comes from an HTTP request into Python data">"parsing"</abbr>, with `request.form()`. * <a href="https://andrew-d.github.io/python-multipart/" target="_blank"><code>python-multipart</code></a> - Required if you want to support form <abbr title="converting the string that comes from an HTTP request into Python data">"parsing"</abbr>, with `request.form()`.
* <a href="https://pythonhosted.org/itsdangerous/" target="_blank"><code>itsdangerous</code></a> - Required for `SessionMiddleware` support. * <a href="https://pythonhosted.org/itsdangerous/" target="_blank"><code>itsdangerous</code></a> - Required for `SessionMiddleware` support.

9
docs/en/docs/tutorial/dependencies/dependencies-with-yield.md

@ -7,15 +7,6 @@ To do this, use `yield` instead of `return`, and write the extra steps after.
!!! tip !!! tip
Make sure to use `yield` one single time. Make sure to use `yield` one single time.
!!! info
For this to work, you need to use **Python 3.7** or above, or in **Python 3.6**, install the "backports":
```
pip install async-exit-stack async-generator
```
This installs <a href="https://github.com/sorcio/async_exit_stack" class="external-link" target="_blank">async-exit-stack</a> and <a href="https://github.com/python-trio/async_generator" class="external-link" target="_blank">async-generator</a>.
!!! note "Technical Details" !!! note "Technical Details"
Any function that is valid to use with: Any function that is valid to use with:

11
docs/en/docs/tutorial/sql-databases.md

@ -441,17 +441,6 @@ You can find an example of Alembic in a FastAPI project in the templates from [P
### Create a dependency ### Create a dependency
!!! info
For this to work, you need to use **Python 3.7** or above, or in **Python 3.6**, install the "backports":
```console
$ pip install async-exit-stack async-generator
```
This installs <a href="https://github.com/sorcio/async_exit_stack" class="external-link" target="_blank">async-exit-stack</a> and <a href="https://github.com/python-trio/async_generator" class="external-link" target="_blank">async-generator</a>.
You can also use the alternative method with a "middleware" explained at the end.
Now use the `SessionLocal` class we created in the `sql_app/databases.py` file to create a dependency. Now use the `SessionLocal` class we created in the `sql_app/databases.py` file to create a dependency.
We need to have an independent database session/connection (`SessionLocal`) per request, use the same session through all the request and then close it after the request is finished. We need to have an independent database session/connection (`SessionLocal`) per request, use the same session through all the request and then close it after the request is finished.

14
docs/en/docs/tutorial/static-files.md

@ -2,20 +2,6 @@
You can serve static files automatically from a directory using `StaticFiles`. You can serve static files automatically from a directory using `StaticFiles`.
## Install `aiofiles`
First you need to install `aiofiles`:
<div class="termy">
```console
$ pip install aiofiles
---> 100%
```
</div>
## Use `StaticFiles` ## Use `StaticFiles`
* Import `StaticFiles`. * Import `StaticFiles`.

2
docs_src/async_tests/test_main.py

@ -4,7 +4,7 @@ from httpx import AsyncClient
from .main import app from .main import app
@pytest.mark.asyncio @pytest.mark.anyio
async def test_root(): async def test_root():
async with AsyncClient(app=app, base_url="http://test") as ac: async with AsyncClient(app=app, base_url="http://test") as ac:
response = await ac.get("/") response = await ac.get("/")

45
fastapi/concurrency.py

@ -1,4 +1,5 @@
from typing import Any, Callable import sys
from typing import AsyncGenerator, ContextManager, TypeVar
from starlette.concurrency import iterate_in_threadpool as iterate_in_threadpool # noqa from starlette.concurrency import iterate_in_threadpool as iterate_in_threadpool # noqa
from starlette.concurrency import run_in_threadpool as run_in_threadpool # noqa from starlette.concurrency import run_in_threadpool as run_in_threadpool # noqa
@ -6,41 +7,21 @@ from starlette.concurrency import ( # noqa
run_until_first_complete as run_until_first_complete, run_until_first_complete as run_until_first_complete,
) )
asynccontextmanager_error_message = """ if sys.version_info >= (3, 7):
FastAPI's contextmanager_in_threadpool require Python 3.7 or above, from contextlib import AsyncExitStack as AsyncExitStack
or the backport for Python 3.6, installed with: from contextlib import asynccontextmanager as asynccontextmanager
pip install async-generator else:
""" from contextlib2 import AsyncExitStack as AsyncExitStack # noqa
from contextlib2 import asynccontextmanager as asynccontextmanager # noqa
def _fake_asynccontextmanager(func: Callable[..., Any]) -> Callable[..., Any]: _T = TypeVar("_T")
def raiser(*args: Any, **kwargs: Any) -> Any:
raise RuntimeError(asynccontextmanager_error_message)
return raiser
@asynccontextmanager
try: async def contextmanager_in_threadpool(
from contextlib import asynccontextmanager as asynccontextmanager # type: ignore cm: ContextManager[_T],
except ImportError: ) -> AsyncGenerator[_T, None]:
try:
from async_generator import ( # type: ignore # isort: skip
asynccontextmanager as asynccontextmanager,
)
except ImportError: # pragma: no cover
asynccontextmanager = _fake_asynccontextmanager
try:
from contextlib import AsyncExitStack as AsyncExitStack # type: ignore
except ImportError:
try:
from async_exit_stack import AsyncExitStack as AsyncExitStack # type: ignore
except ImportError: # pragma: no cover
AsyncExitStack = None # type: ignore
@asynccontextmanager # type: ignore
async def contextmanager_in_threadpool(cm: Any) -> Any:
try: try:
yield await run_in_threadpool(cm.__enter__) yield await run_in_threadpool(cm.__enter__)
except Exception as e: except Exception as e:

46
fastapi/dependencies/utils.py

@ -1,4 +1,3 @@
import asyncio
import dataclasses import dataclasses
import inspect import inspect
from contextlib import contextmanager from contextlib import contextmanager
@ -6,6 +5,7 @@ from copy import deepcopy
from typing import ( from typing import (
Any, Any,
Callable, Callable,
Coroutine,
Dict, Dict,
List, List,
Mapping, Mapping,
@ -17,10 +17,10 @@ from typing import (
cast, cast,
) )
import anyio
from fastapi import params from fastapi import params
from fastapi.concurrency import ( from fastapi.concurrency import (
AsyncExitStack, AsyncExitStack,
_fake_asynccontextmanager,
asynccontextmanager, asynccontextmanager,
contextmanager_in_threadpool, contextmanager_in_threadpool,
) )
@ -266,18 +266,6 @@ def get_typed_annotation(param: inspect.Parameter, globalns: Dict[str, Any]) ->
return annotation return annotation
async_contextmanager_dependencies_error = """
FastAPI dependencies with yield require Python 3.7 or above,
or the backports for Python 3.6, installed with:
pip install async-exit-stack async-generator
"""
def check_dependency_contextmanagers() -> None:
if AsyncExitStack is None or asynccontextmanager == _fake_asynccontextmanager:
raise RuntimeError(async_contextmanager_dependencies_error) # pragma: no cover
def get_dependant( def get_dependant(
*, *,
path: str, path: str,
@ -289,8 +277,6 @@ def get_dependant(
path_param_names = get_path_param_names(path) path_param_names = get_path_param_names(path)
endpoint_signature = get_typed_signature(call) endpoint_signature = get_typed_signature(call)
signature_params = endpoint_signature.parameters signature_params = endpoint_signature.parameters
if is_gen_callable(call) or is_async_gen_callable(call):
check_dependency_contextmanagers()
dependant = Dependant(call=call, name=name, path=path, use_cache=use_cache) dependant = Dependant(call=call, name=name, path=path, use_cache=use_cache)
for param_name, param in signature_params.items(): for param_name, param in signature_params.items():
if isinstance(param.default, params.Depends): if isinstance(param.default, params.Depends):
@ -452,14 +438,6 @@ async def solve_generator(
if is_gen_callable(call): if is_gen_callable(call):
cm = contextmanager_in_threadpool(contextmanager(call)(**sub_values)) cm = contextmanager_in_threadpool(contextmanager(call)(**sub_values))
elif is_async_gen_callable(call): elif is_async_gen_callable(call):
if not inspect.isasyncgenfunction(call):
# asynccontextmanager from the async_generator backfill pre python3.7
# does not support callables that are not functions or methods.
# See https://github.com/python-trio/async_generator/issues/32
#
# Expand the callable class into its __call__ method before decorating it.
# This approach will work on newer python versions as well.
call = getattr(call, "__call__", None)
cm = asynccontextmanager(call)(**sub_values) cm = asynccontextmanager(call)(**sub_values)
return await stack.enter_async_context(cm) return await stack.enter_async_context(cm)
@ -539,10 +517,7 @@ async def solve_dependencies(
solved = dependency_cache[sub_dependant.cache_key] solved = dependency_cache[sub_dependant.cache_key]
elif is_gen_callable(call) or is_async_gen_callable(call): elif is_gen_callable(call) or is_async_gen_callable(call):
stack = request.scope.get("fastapi_astack") stack = request.scope.get("fastapi_astack")
if stack is None: assert isinstance(stack, AsyncExitStack)
raise RuntimeError(
async_contextmanager_dependencies_error
) # pragma: no cover
solved = await solve_generator( solved = await solve_generator(
call=call, stack=stack, sub_values=sub_values call=call, stack=stack, sub_values=sub_values
) )
@ -697,9 +672,18 @@ async def request_body_to_args(
and lenient_issubclass(field.type_, bytes) and lenient_issubclass(field.type_, bytes)
and isinstance(value, sequence_types) and isinstance(value, sequence_types)
): ):
awaitables = [sub_value.read() for sub_value in value] results: List[Union[bytes, str]] = []
contents = await asyncio.gather(*awaitables)
value = sequence_shape_to_type[field.shape](contents) async def process_fn(
fn: Callable[[], Coroutine[Any, Any, Any]]
) -> None:
result = await fn()
results.append(result)
async with anyio.create_task_group() as tg:
for sub_value in value:
tg.start_soon(process_fn, sub_value.read)
value = sequence_shape_to_type[field.shape](results)
v_, errors_ = field.validate(value, values, loc=loc) v_, errors_ = field.validate(value, values, loc=loc)

16
pyproject.toml

@ -33,8 +33,10 @@ classifiers = [
"Topic :: Internet :: WWW/HTTP", "Topic :: Internet :: WWW/HTTP",
] ]
requires = [ requires = [
"starlette ==0.14.2", "starlette ==0.15.0",
"pydantic >=1.6.2,!=1.7,!=1.7.1,!=1.7.2,!=1.7.3,!=1.8,!=1.8.1,<2.0.0" "pydantic >=1.6.2,!=1.7,!=1.7.1,!=1.7.2,!=1.7.3,!=1.8,!=1.8.1,<2.0.0",
# TODO: remove contextlib2 as a direct dependency after upgrading Starlette
"contextlib2 >= 21.6.0; python_version < '3.7'",
] ]
description-file = "README.md" description-file = "README.md"
requires-python = ">=3.6.1" requires-python = ">=3.6.1"
@ -46,7 +48,6 @@ Documentation = "https://fastapi.tiangolo.com/"
test = [ test = [
"pytest >=6.2.4,<7.0.0", "pytest >=6.2.4,<7.0.0",
"pytest-cov >=2.12.0,<4.0.0", "pytest-cov >=2.12.0,<4.0.0",
"pytest-asyncio >=0.14.0,<0.16.0",
"mypy ==0.910", "mypy ==0.910",
"flake8 >=3.8.3,<4.0.0", "flake8 >=3.8.3,<4.0.0",
"black ==21.9b0", "black ==21.9b0",
@ -60,11 +61,9 @@ test = [
"orjson >=3.2.1,<4.0.0", "orjson >=3.2.1,<4.0.0",
"ujson >=4.0.1,<5.0.0", "ujson >=4.0.1,<5.0.0",
"python-multipart >=0.0.5,<0.0.6", "python-multipart >=0.0.5,<0.0.6",
"aiofiles >=0.5.0,<0.8.0",
# TODO: try to upgrade after upgrading Starlette # TODO: try to upgrade after upgrading Starlette
"flask >=1.1.2,<2.0.0", "flask >=1.1.2,<2.0.0",
"async_exit_stack >=1.0.1,<2.0.0; python_version < '3.7'", "anyio[trio] >=3.2.1,<4.0.0",
"async_generator >=1.10,<2.0.0; python_version < '3.7'",
# types # types
"types-ujson ==0.1.1", "types-ujson ==0.1.1",
@ -90,7 +89,6 @@ dev = [
] ]
all = [ all = [
"requests >=2.24.0,<3.0.0", "requests >=2.24.0,<3.0.0",
"aiofiles >=0.5.0,<0.8.0",
# TODO: try to upgrade after upgrading Starlette # TODO: try to upgrade after upgrading Starlette
"jinja2 >=2.11.2,<3.0.0", "jinja2 >=2.11.2,<3.0.0",
"python-multipart >=0.0.5,<0.0.6", "python-multipart >=0.0.5,<0.0.6",
@ -103,8 +101,6 @@ all = [
"orjson >=3.2.1,<4.0.0", "orjson >=3.2.1,<4.0.0",
"email_validator >=1.1.1,<2.0.0", "email_validator >=1.1.1,<2.0.0",
"uvicorn[standard] >=0.12.0,<0.16.0", "uvicorn[standard] >=0.12.0,<0.16.0",
"async_exit_stack >=1.0.1,<2.0.0; python_version < '3.7'",
"async_generator >=1.10,<2.0.0; python_version < '3.7'",
] ]
[tool.isort] [tool.isort]
@ -148,6 +144,8 @@ junit_family = "xunit2"
filterwarnings = [ filterwarnings = [
"error", "error",
'ignore:"@coroutine" decorator is deprecated since Python 3\.8, use "async def" instead:DeprecationWarning', 'ignore:"@coroutine" decorator is deprecated since Python 3\.8, use "async def" instead:DeprecationWarning',
# TODO: needed by AnyIO in Python 3.9, try to remove after an AnyIO upgrade
'ignore:The loop argument is deprecated since Python 3\.8, and scheduled for removal in Python 3\.10:DeprecationWarning',
# TODO: if these ignores are needed, enable them, otherwise remove them # TODO: if these ignores are needed, enable them, otherwise remove them
# 'ignore:The explicit passing of coroutine objects to asyncio\.wait\(\) is deprecated since Python 3\.8:DeprecationWarning', # 'ignore:The explicit passing of coroutine objects to asyncio\.wait\(\) is deprecated since Python 3\.8:DeprecationWarning',
# 'ignore:Exception ignored in. <socket\.socket fd=-1:pytest.PytestUnraisableExceptionWarning', # 'ignore:Exception ignored in. <socket\.socket fd=-1:pytest.PytestUnraisableExceptionWarning',

12
tests/test_fakeasync.py

@ -1,12 +0,0 @@
import pytest
from fastapi.concurrency import _fake_asynccontextmanager
@_fake_asynccontextmanager
def never_run():
pass # pragma: no cover
def test_fake_async():
with pytest.raises(RuntimeError):
never_run()

2
tests/test_tutorial/test_async_tests/test_main.py

@ -3,6 +3,6 @@ import pytest
from docs_src.async_tests.test_main import test_root from docs_src.async_tests.test_main import test_root
@pytest.mark.asyncio @pytest.mark.anyio
async def test_async_testing(): async def test_async_testing():
await test_root() await test_root()

10
tests/test_tutorial/test_websockets/test_tutorial002.py

@ -72,9 +72,15 @@ def test_websocket_with_header_and_query():
def test_websocket_no_credentials(): def test_websocket_no_credentials():
with pytest.raises(WebSocketDisconnect): with pytest.raises(WebSocketDisconnect):
client.websocket_connect("/items/foo/ws") with client.websocket_connect("/items/foo/ws"):
pytest.fail(
"did not raise WebSocketDisconnect on __enter__"
) # pragma: no cover
def test_websocket_invalid_data(): def test_websocket_invalid_data():
with pytest.raises(WebSocketDisconnect): with pytest.raises(WebSocketDisconnect):
client.websocket_connect("/items/foo/ws?q=bar&token=some-token") with client.websocket_connect("/items/foo/ws?q=bar&token=some-token"):
pytest.fail(
"did not raise WebSocketDisconnect on __enter__"
) # pragma: no cover

Loading…
Cancel
Save