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

Dependencies with yield (used as context managers) #595

Merged
merged 16 commits into from
Oct 9, 2019
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
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
27 changes: 6 additions & 21 deletions docs/src/dependencies/tutorial007.py
Original file line number Diff line number Diff line change
@@ -1,21 +1,6 @@
from fastapi import Depends, FastAPI

app = FastAPI()


class FixedContentQueryChecker:
def __init__(self, fixed_content: str):
self.fixed_content = fixed_content

def __call__(self, q: str = ""):
if q:
return self.fixed_content in q
return False


checker = FixedContentQueryChecker("bar")


@app.get("/query-checker/")
async def read_query_check(fixed_content_included: bool = Depends(checker)):
return {"fixed_content_in_query": fixed_content_included}
async def get_db():
db = DBSession()
try:
yield db
finally:
db.close()
25 changes: 25 additions & 0 deletions docs/src/dependencies/tutorial008.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
from fastapi import Depends


async def dependency_a():
dep_a = generate_dep_a()
try:
yield dep_a
finally:
dep_a.close()


async def dependency_b(dep_a=Depends(dependency_a)):
dep_b = generate_dep_b()
try:
yield dep_b
finally:
dep_b.close(dep_a)


async def dependency_c(dep_b=Depends(dependency_b)):
dep_c = generate_dep_c()
try:
yield dep_c
finally:
dep_c.close(dep_b)
25 changes: 25 additions & 0 deletions docs/src/dependencies/tutorial009.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
from fastapi import Depends


async def dependency_a():
dep_a = generate_dep_a()
try:
yield dep_a
finally:
dep_a.close()


async def dependency_b(dep_a=Depends(dependency_a)):
dep_b = generate_dep_b()
try:
yield dep_b
finally:
dep_b.close(dep_a)


async def dependency_c(dep_b=Depends(dependency_b)):
dep_c = generate_dep_c()
try:
yield dep_c
finally:
dep_c.close(dep_b)
14 changes: 14 additions & 0 deletions docs/src/dependencies/tutorial010.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
class MySuperContextManager:
def __init__(self):
self.db = DBSession()

def __enter__(self):
return self.db

def __exit__(self, exc_type, exc_value, traceback):
self.db.close()


async def get_db():
with MySuperContextManager() as db:
yield db
21 changes: 21 additions & 0 deletions docs/src/dependencies/tutorial011.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
from fastapi import Depends, FastAPI

app = FastAPI()


class FixedContentQueryChecker:
def __init__(self, fixed_content: str):
self.fixed_content = fixed_content

def __call__(self, q: str = ""):
if q:
return self.fixed_content in q
return False


checker = FixedContentQueryChecker("bar")


@app.get("/query-checker/")
async def read_query_check(fixed_content_included: bool = Depends(checker)):
return {"fixed_content_in_query": fixed_content_included}
64 changes: 64 additions & 0 deletions docs/src/sql_databases/sql_app/alt_main.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,64 @@
from typing import List

from fastapi import Depends, FastAPI, HTTPException
from sqlalchemy.orm import Session
from starlette.requests import Request
from starlette.responses import Response

from . import crud, models, schemas
from .database import SessionLocal, engine

models.Base.metadata.create_all(bind=engine)

app = FastAPI()


@app.middleware("http")
async def db_session_middleware(request: Request, call_next):
response = Response("Internal server error", status_code=500)
try:
request.state.db = SessionLocal()
response = await call_next(request)
finally:
request.state.db.close()
return response


# Dependency
def get_db(request: Request):
return request.state.db


@app.post("/users/", response_model=schemas.User)
def create_user(user: schemas.UserCreate, db: Session = Depends(get_db)):
db_user = crud.get_user_by_email(db, email=user.email)
if db_user:
raise HTTPException(status_code=400, detail="Email already registered")
return crud.create_user(db=db, user=user)


@app.get("/users/", response_model=List[schemas.User])
def read_users(skip: int = 0, limit: int = 100, db: Session = Depends(get_db)):
users = crud.get_users(db, skip=skip, limit=limit)
return users


@app.get("/users/{user_id}", response_model=schemas.User)
def read_user(user_id: int, db: Session = Depends(get_db)):
db_user = crud.get_user(db, user_id=user_id)
if db_user is None:
raise HTTPException(status_code=404, detail="User not found")
return db_user


@app.post("/users/{user_id}/items/", response_model=schemas.Item)
def create_item_for_user(
user_id: int, item: schemas.ItemCreate, db: Session = Depends(get_db)
):
return crud.create_user_item(db=db, item=item, user_id=user_id)


@app.get("/items/", response_model=List[schemas.Item])
def read_items(skip: int = 0, limit: int = 100, db: Session = Depends(get_db)):
items = crud.get_items(db, skip=skip, limit=limit)
return items
19 changes: 5 additions & 14 deletions docs/src/sql_databases/sql_app/main.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,8 +2,6 @@

from fastapi import Depends, FastAPI, HTTPException
from sqlalchemy.orm import Session
from starlette.requests import Request
from starlette.responses import Response

from . import crud, models, schemas
from .database import SessionLocal, engine
Expand All @@ -13,20 +11,13 @@
app = FastAPI()


@app.middleware("http")
async def db_session_middleware(request: Request, call_next):
response = Response("Internal server error", status_code=500)
# Dependency
def get_db():
try:
request.state.db = SessionLocal()
response = await call_next(request)
db = SessionLocal()
yield db
finally:
request.state.db.close()
return response


# Dependency
def get_db(request: Request):
return request.state.db
db.close()


@app.post("/users/", response_model=schemas.User)
Expand Down
10 changes: 5 additions & 5 deletions docs/tutorial/dependencies/advanced-dependencies.md
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
!!! danger
!!! warning
This is, more or less, an "advanced" chapter.

If you are just starting with **FastAPI** you might want to skip this chapter and come back to it later.
Expand All @@ -22,7 +22,7 @@ Not the class itself (which is already a callable), but an instance of that clas
To do that, we declare a method `__call__`:

```Python hl_lines="10"
{!./src/dependencies/tutorial007.py!}
{!./src/dependencies/tutorial011.py!}
```

In this case, this `__call__` is what **FastAPI** will use to check for additional parameters and sub-dependencies, and this is what will be called to pass a value to the parameter in your *path operation function* later.
Expand All @@ -32,7 +32,7 @@ In this case, this `__call__` is what **FastAPI** will use to check for addition
And now, we can use `__init__` to declare the parameters of the instance that we can use to "parameterize" the dependency:

```Python hl_lines="7"
{!./src/dependencies/tutorial007.py!}
{!./src/dependencies/tutorial011.py!}
```

In this case, **FastAPI** won't ever touch or care about `__init__`, we will use it directly in our code.
Expand All @@ -42,7 +42,7 @@ In this case, **FastAPI** won't ever touch or care about `__init__`, we will use
We could create an instance of this class with:

```Python hl_lines="16"
{!./src/dependencies/tutorial007.py!}
{!./src/dependencies/tutorial011.py!}
```

And that way we are able to "parameterize" our dependency, that now has `"bar"` inside of it, as the attribute `checker.fixed_content`.
Expand All @@ -60,7 +60,7 @@ checker(q="somequery")
...and pass whatever that returns as the value of the dependency in our path operation function as the parameter `fixed_content_included`:

```Python hl_lines="20"
{!./src/dependencies/tutorial007.py!}
{!./src/dependencies/tutorial011.py!}
```

!!! tip
Expand Down
Loading