Browse Source
* ✨ Implement dependencies in decorator and .include_router * 📝 Add docs for parameter dependencies * ✅ Add tests for dependencies parameter * 🔥 Remove debugging prints in tests * 📝 Update release notespull/241/head
committed by
GitHub
16 changed files with 471 additions and 66 deletions
@ -1,13 +1,20 @@ |
|||
from fastapi import FastAPI |
|||
from fastapi import Depends, FastAPI, Header, HTTPException |
|||
|
|||
from .routers import items, users |
|||
|
|||
app = FastAPI() |
|||
|
|||
|
|||
async def get_token_header(x_token: str = Header(...)): |
|||
if x_token != "fake-super-secret-token": |
|||
raise HTTPException(status_code=400, detail="X-Token header invalid") |
|||
|
|||
|
|||
app.include_router(users.router) |
|||
app.include_router( |
|||
items.router, |
|||
prefix="/items", |
|||
tags=["items"], |
|||
dependencies=[Depends(get_token_header)], |
|||
responses={404: {"description": "Not found"}}, |
|||
) |
|||
|
@ -1,21 +1,19 @@ |
|||
from fastapi import Depends, FastAPI |
|||
from fastapi import Depends, FastAPI, Header, HTTPException |
|||
|
|||
app = FastAPI() |
|||
|
|||
|
|||
class FixedContentQueryChecker: |
|||
def __init__(self, fixed_content: str): |
|||
self.fixed_content = fixed_content |
|||
async def verify_token(x_token: str = Header(...)): |
|||
if x_token != "fake-super-secret-token": |
|||
raise HTTPException(status_code=400, detail="X-Token header invalid") |
|||
|
|||
def __call__(self, q: str = ""): |
|||
if q: |
|||
return self.fixed_content in q |
|||
return False |
|||
|
|||
async def verify_key(x_key: str = Header(...)): |
|||
if x_key != "fake-super-secret-key": |
|||
raise HTTPException(status_code=400, detail="X-Key header invalid") |
|||
return x_key |
|||
|
|||
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} |
|||
@app.get("/items/", dependencies=[Depends(verify_token), Depends(verify_key)]) |
|||
async def read_items(): |
|||
return [{"item": "Foo"}, {"item": "Bar"}] |
|||
|
@ -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} |
@ -0,0 +1,60 @@ |
|||
In some cases you don't really need the return value of a dependency inside your *path operation function*. |
|||
|
|||
Or the dependency doesn't return a value. |
|||
|
|||
But you still need it to be executed/solved. |
|||
|
|||
For those cases, instead of declaring a *path operation function* parameter with `Depends`, you can add a `list` of `dependencies` to the *path operation decorator*. |
|||
|
|||
## Add `dependencies` to the *path operation decorator* |
|||
|
|||
The *path operation decorator* receives an optional argument `dependencies`. |
|||
|
|||
It should be a `list` of `Depends()`: |
|||
|
|||
```Python hl_lines="17" |
|||
{!./src/dependencies/tutorial006.py!} |
|||
``` |
|||
|
|||
These dependencies will be executed/solved the same way normal dependencies. But their value (if they return any) won't be passed to your *path operation function*. |
|||
|
|||
!!! tip |
|||
Some editors check for unused function parameters, and show them as errors. |
|||
|
|||
Using these `dependencies` in the *path operation decorator* you can make sure they are executed while avoiding editor/tooling errors. |
|||
|
|||
It might also help avoiding confusion for new developers that see an un-used parameter in your code and could think it's unnecessary. |
|||
|
|||
## Dependencies errors and return values |
|||
|
|||
You can use the same dependency *functions* you use normally. |
|||
|
|||
### Dependency requirements |
|||
|
|||
They can declare request requirements (like headers) or other sub-dependencies: |
|||
|
|||
```Python hl_lines="6 11" |
|||
{!./src/dependencies/tutorial006.py!} |
|||
``` |
|||
|
|||
### Raise exceptions |
|||
|
|||
These dependencies can `raise` exceptions, the same as normal dependencies: |
|||
|
|||
```Python hl_lines="8 13" |
|||
{!./src/dependencies/tutorial006.py!} |
|||
``` |
|||
|
|||
### Return values |
|||
|
|||
And they can return values or not, the values won't be used. |
|||
|
|||
So, you can re-use a normal dependency (that returns a value) you already use somewhere else, and even though the value won't be used, the dependency will be executed: |
|||
|
|||
```Python hl_lines="9 14" |
|||
{!./src/dependencies/tutorial006.py!} |
|||
``` |
|||
|
|||
## Dependencies for a group of *path operations* |
|||
|
|||
Later, when reading about how to <a href="https://fastapi.tiangolo.com/tutorial/bigger-applications/" target="_blank">structure bigger applications</a>, possibly with multiple files, you will learn how to declare a single `dependencies` parameter for a group of *path operations*. |
@ -0,0 +1,128 @@ |
|||
from starlette.testclient import TestClient |
|||
|
|||
from dependencies.tutorial006 import app |
|||
|
|||
client = TestClient(app) |
|||
|
|||
openapi_schema = { |
|||
"openapi": "3.0.2", |
|||
"info": {"title": "Fast API", "version": "0.1.0"}, |
|||
"paths": { |
|||
"/items/": { |
|||
"get": { |
|||
"responses": { |
|||
"200": { |
|||
"description": "Successful Response", |
|||
"content": {"application/json": {"schema": {}}}, |
|||
}, |
|||
"422": { |
|||
"description": "Validation Error", |
|||
"content": { |
|||
"application/json": { |
|||
"schema": { |
|||
"$ref": "#/components/schemas/HTTPValidationError" |
|||
} |
|||
} |
|||
}, |
|||
}, |
|||
}, |
|||
"summary": "Read Items", |
|||
"operationId": "read_items_items__get", |
|||
"parameters": [ |
|||
{ |
|||
"required": True, |
|||
"schema": {"title": "X-Token", "type": "string"}, |
|||
"name": "x-token", |
|||
"in": "header", |
|||
}, |
|||
{ |
|||
"required": True, |
|||
"schema": {"title": "X-Key", "type": "string"}, |
|||
"name": "x-key", |
|||
"in": "header", |
|||
}, |
|||
], |
|||
} |
|||
} |
|||
}, |
|||
"components": { |
|||
"schemas": { |
|||
"ValidationError": { |
|||
"title": "ValidationError", |
|||
"required": ["loc", "msg", "type"], |
|||
"type": "object", |
|||
"properties": { |
|||
"loc": { |
|||
"title": "Location", |
|||
"type": "array", |
|||
"items": {"type": "string"}, |
|||
}, |
|||
"msg": {"title": "Message", "type": "string"}, |
|||
"type": {"title": "Error Type", "type": "string"}, |
|||
}, |
|||
}, |
|||
"HTTPValidationError": { |
|||
"title": "HTTPValidationError", |
|||
"type": "object", |
|||
"properties": { |
|||
"detail": { |
|||
"title": "Detail", |
|||
"type": "array", |
|||
"items": {"$ref": "#/components/schemas/ValidationError"}, |
|||
} |
|||
}, |
|||
}, |
|||
} |
|||
}, |
|||
} |
|||
|
|||
|
|||
def test_openapi_schema(): |
|||
response = client.get("/openapi.json") |
|||
assert response.status_code == 200 |
|||
assert response.json() == openapi_schema |
|||
|
|||
|
|||
def test_get_no_headers(): |
|||
response = client.get("/items/") |
|||
assert response.status_code == 422 |
|||
assert response.json() == { |
|||
"detail": [ |
|||
{ |
|||
"loc": ["header", "x-token"], |
|||
"msg": "field required", |
|||
"type": "value_error.missing", |
|||
}, |
|||
{ |
|||
"loc": ["header", "x-key"], |
|||
"msg": "field required", |
|||
"type": "value_error.missing", |
|||
}, |
|||
] |
|||
} |
|||
|
|||
|
|||
def test_get_invalid_one_header(): |
|||
response = client.get("/items/", headers={"X-Token": "invalid"}) |
|||
assert response.status_code == 400 |
|||
assert response.json() == {"detail": "X-Token header invalid"} |
|||
|
|||
|
|||
def test_get_invalid_second_header(): |
|||
response = client.get( |
|||
"/items/", headers={"X-Token": "fake-super-secret-token", "X-Key": "invalid"} |
|||
) |
|||
assert response.status_code == 400 |
|||
assert response.json() == {"detail": "X-Key header invalid"} |
|||
|
|||
|
|||
def test_get_valid_headers(): |
|||
response = client.get( |
|||
"/items/", |
|||
headers={ |
|||
"X-Token": "fake-super-secret-token", |
|||
"X-Key": "fake-super-secret-key", |
|||
}, |
|||
) |
|||
assert response.status_code == 200 |
|||
assert response.json() == [{"item": "Foo"}, {"item": "Bar"}] |
Loading…
Reference in new issue