Browse Source

🔧 Add Flake8 linting (#1774)

Co-authored-by: nimashadix <[email protected]>
Co-authored-by: Sebastián Ramírez <[email protected]>
pull/1860/head
Nima Mashhadi M. Reza 5 years ago
committed by GitHub
parent
commit
da9b5201c4
No known key found for this signature in database GPG Key ID: 4AEE18F83AFDEB23
  1. 5
      .flake8
  2. 3
      fastapi/routing.py
  3. 4
      fastapi/security/oauth2.py
  4. 1
      pyproject.toml
  5. 1
      scripts/lint.sh
  6. 2
      tests/main.py
  7. 6
      tests/test_application.py
  8. 6
      tests/test_dependency_class.py
  9. 20
      tests/test_dependency_contextmanager.py
  10. 2
      tests/test_jsonable_encoder.py
  11. 1
      tests/test_request_body_parameters_media_type.py
  12. 20
      tests/test_response_by_alias.py
  13. 12
      tests/test_security_oauth2.py
  14. 18
      tests/test_security_oauth2_optional.py
  15. 10
      tests/test_skip_defaults.py
  16. 12
      tests/test_starlette_exception.py
  17. 6
      tests/test_swagger_ui_init_oauth.py
  18. 2
      tests/test_tutorial/test_async_sql_databases/test_tutorial001.py
  19. 2
      tests/test_tutorial/test_body/test_tutorial001.py
  20. 2
      tests/test_ws_router.py

5
.flake8

@ -0,0 +1,5 @@
[flake8]
max-line-length = 88
select = C,E,F,W,B,B9
ignore = E203, E501, W503
exclude = __init__.py

3
fastapi/routing.py

@ -42,10 +42,9 @@ from starlette.types import ASGIApp
from starlette.websockets import WebSocket from starlette.websockets import WebSocket
try: try:
from pydantic.fields import FieldInfo, ModelField from pydantic.fields import ModelField
except ImportError: # pragma: nocover except ImportError: # pragma: nocover
# TODO: remove when removing support for Pydantic < 1.0.0 # TODO: remove when removing support for Pydantic < 1.0.0
from pydantic import Schema as FieldInfo # type: ignore
from pydantic.fields import Field as ModelField # type: ignore from pydantic.fields import Field as ModelField # type: ignore

4
fastapi/security/oauth2.py

@ -27,7 +27,7 @@ class OAuth2PasswordRequestForm:
print(data.client_secret) print(data.client_secret)
return data return data
It creates the following Form request parameters in your endpoint: It creates the following Form request parameters in your endpoint:
grant_type: the OAuth2 spec says it is required and MUST be the fixed string "password". grant_type: the OAuth2 spec says it is required and MUST be the fixed string "password".
@ -77,7 +77,7 @@ class OAuth2PasswordRequestFormStrict(OAuth2PasswordRequestForm):
print(data.client_secret) print(data.client_secret)
return data return data
It creates the following Form request parameters in your endpoint: It creates the following Form request parameters in your endpoint:
grant_type: the OAuth2 spec says it is required and MUST be the fixed string "password". grant_type: the OAuth2 spec says it is required and MUST be the fixed string "password".

1
pyproject.toml

@ -47,6 +47,7 @@ test = [
"pytest-cov ==2.10.0", "pytest-cov ==2.10.0",
"pytest-asyncio >=0.14.0,<0.15.0", "pytest-asyncio >=0.14.0,<0.15.0",
"mypy ==0.782", "mypy ==0.782",
"flake8 >=3.8.3,<4.0.0",
"black ==19.10b0", "black ==19.10b0",
"isort >=5.0.6,<6.0.0", "isort >=5.0.6,<6.0.0",
"requests >=2.24.0,<3.0.0", "requests >=2.24.0,<3.0.0",

1
scripts/lint.sh

@ -4,5 +4,6 @@ set -e
set -x set -x
mypy fastapi mypy fastapi
flake8 fastapi tests
black fastapi tests --check black fastapi tests --check
isort fastapi tests docs_src scripts --check-only isort fastapi tests docs_src scripts --check-only

2
tests/main.py

@ -168,7 +168,7 @@ def get_query_type_optional(query: Optional[int] = None):
@app.get("/query/int/default") @app.get("/query/int/default")
def get_query_type_optional(query: int = 10): def get_query_type_int_default(query: int = 10):
return f"foo bar {query}" return f"foo bar {query}"

6
tests/test_application.py

@ -976,8 +976,8 @@ openapi_schema = {
}, },
}, },
}, },
"summary": "Get Query Type Optional", "summary": "Get Query Type Int Default",
"operationId": "get_query_type_optional_query_int_default_get", "operationId": "get_query_type_int_default_query_int_default_get",
"parameters": [ "parameters": [
{ {
"required": False, "required": False,
@ -1144,7 +1144,7 @@ def test_swagger_ui():
assert response.headers["content-type"] == "text/html; charset=utf-8" assert response.headers["content-type"] == "text/html; charset=utf-8"
assert "swagger-ui-dist" in response.text assert "swagger-ui-dist" in response.text
assert ( assert (
f"oauth2RedirectUrl: window.location.origin + '/docs/oauth2-redirect'" "oauth2RedirectUrl: window.location.origin + '/docs/oauth2-redirect'"
in response.text in response.text
) )

6
tests/test_dependency_class.py

@ -59,12 +59,14 @@ async def get_callable_gen_dependency(value: str = Depends(callable_gen_dependen
@app.get("/async-callable-dependency") @app.get("/async-callable-dependency")
async def get_callable_dependency(value: str = Depends(async_callable_dependency)): async def get_async_callable_dependency(
value: str = Depends(async_callable_dependency),
):
return value return value
@app.get("/async-callable-gen-dependency") @app.get("/async-callable-gen-dependency")
async def get_callable_gen_dependency( async def get_async_callable_gen_dependency(
value: str = Depends(async_callable_gen_dependency), value: str = Depends(async_callable_gen_dependency),
): ):
return value return value

20
tests/test_dependency_contextmanager.py

@ -204,19 +204,19 @@ client = TestClient(app)
def test_async_state(): def test_async_state():
assert state["/async"] == f"asyncgen not started" assert state["/async"] == "asyncgen not started"
response = client.get("/async") response = client.get("/async")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
assert response.json() == f"asyncgen started" assert response.json() == "asyncgen started"
assert state["/async"] == f"asyncgen completed" assert state["/async"] == "asyncgen completed"
def test_sync_state(): def test_sync_state():
assert state["/sync"] == f"generator not started" assert state["/sync"] == "generator not started"
response = client.get("/sync") response = client.get("/sync")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
assert response.json() == f"generator started" assert response.json() == "generator started"
assert state["/sync"] == f"generator completed" assert state["/sync"] == "generator completed"
def test_async_raise_other(): def test_async_raise_other():
@ -281,15 +281,15 @@ def test_sync_raise():
def test_sync_async_state(): def test_sync_async_state():
response = client.get("/sync_async") response = client.get("/sync_async")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
assert response.json() == f"asyncgen started" assert response.json() == "asyncgen started"
assert state["/async"] == f"asyncgen completed" assert state["/async"] == "asyncgen completed"
def test_sync_sync_state(): def test_sync_sync_state():
response = client.get("/sync_sync") response = client.get("/sync_sync")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
assert response.json() == f"generator started" assert response.json() == "generator started"
assert state["/sync"] == f"generator completed" assert state["/sync"] == "generator completed"
def test_sync_async_raise_other(): def test_sync_async_raise_other():

2
tests/test_jsonable_encoder.py

@ -134,7 +134,7 @@ def test_encode_model_with_config():
def test_encode_model_with_alias_raises(): def test_encode_model_with_alias_raises():
with pytest.raises(ValidationError): with pytest.raises(ValidationError):
model = ModelWithAlias(foo="Bar") ModelWithAlias(foo="Bar")
def test_encode_model_with_alias(): def test_encode_model_with_alias():

1
tests/test_request_body_parameters_media_type.py

@ -8,6 +8,7 @@ app = FastAPI()
media_type = "application/vnd.api+json" media_type = "application/vnd.api+json"
# NOTE: These are not valid JSON:API resources # NOTE: These are not valid JSON:API resources
# but they are fine for testing requestBody with custom media_type # but they are fine for testing requestBody with custom media_type
class Product(BaseModel): class Product(BaseModel):

20
tests/test_response_by_alias.py

@ -54,17 +54,17 @@ def by_alias_list():
@app.get("/no-alias/dict", response_model=ModelNoAlias) @app.get("/no-alias/dict", response_model=ModelNoAlias)
def by_alias_dict(): def no_alias_dict():
return {"name": "Foo"} return {"name": "Foo"}
@app.get("/no-alias/model", response_model=ModelNoAlias) @app.get("/no-alias/model", response_model=ModelNoAlias)
def by_alias_model(): def no_alias_model():
return ModelNoAlias(name="Foo") return ModelNoAlias(name="Foo")
@app.get("/no-alias/list", response_model=List[ModelNoAlias]) @app.get("/no-alias/list", response_model=List[ModelNoAlias])
def by_alias_list(): def no_alias_list():
return [{"name": "Foo"}, {"name": "Bar"}] return [{"name": "Foo"}, {"name": "Bar"}]
@ -178,8 +178,8 @@ openapi_schema = {
}, },
"/no-alias/dict": { "/no-alias/dict": {
"get": { "get": {
"summary": "By Alias Dict", "summary": "No Alias Dict",
"operationId": "by_alias_dict_no_alias_dict_get", "operationId": "no_alias_dict_no_alias_dict_get",
"responses": { "responses": {
"200": { "200": {
"description": "Successful Response", "description": "Successful Response",
@ -194,8 +194,8 @@ openapi_schema = {
}, },
"/no-alias/model": { "/no-alias/model": {
"get": { "get": {
"summary": "By Alias Model", "summary": "No Alias Model",
"operationId": "by_alias_model_no_alias_model_get", "operationId": "no_alias_model_no_alias_model_get",
"responses": { "responses": {
"200": { "200": {
"description": "Successful Response", "description": "Successful Response",
@ -210,15 +210,15 @@ openapi_schema = {
}, },
"/no-alias/list": { "/no-alias/list": {
"get": { "get": {
"summary": "By Alias List", "summary": "No Alias List",
"operationId": "by_alias_list_no_alias_list_get", "operationId": "no_alias_list_no_alias_list_get",
"responses": { "responses": {
"200": { "200": {
"description": "Successful Response", "description": "Successful Response",
"content": { "content": {
"application/json": { "application/json": {
"schema": { "schema": {
"title": "Response By Alias List No Alias List Get", "title": "Response No Alias List No Alias List Get",
"type": "array", "type": "array",
"items": { "items": {
"$ref": "#/components/schemas/ModelNoAlias" "$ref": "#/components/schemas/ModelNoAlias"

12
tests/test_security_oauth2.py

@ -28,7 +28,7 @@ def get_current_user(oauth_header: "str" = Security(reusable_oauth2)):
@app.post("/login") @app.post("/login")
# Here we use string annotations to test them # Here we use string annotations to test them
def read_current_user(form_data: "OAuth2PasswordRequestFormStrict" = Depends()): def login(form_data: "OAuth2PasswordRequestFormStrict" = Depends()):
return form_data return form_data
@ -62,13 +62,13 @@ openapi_schema = {
}, },
}, },
}, },
"summary": "Read Current User", "summary": "Login",
"operationId": "read_current_user_login_post", "operationId": "login_login_post",
"requestBody": { "requestBody": {
"content": { "content": {
"application/x-www-form-urlencoded": { "application/x-www-form-urlencoded": {
"schema": { "schema": {
"$ref": "#/components/schemas/Body_read_current_user_login_post" "$ref": "#/components/schemas/Body_login_login_post"
} }
} }
}, },
@ -92,8 +92,8 @@ openapi_schema = {
}, },
"components": { "components": {
"schemas": { "schemas": {
"Body_read_current_user_login_post": { "Body_login_login_post": {
"title": "Body_read_current_user_login_post", "title": "Body_login_login_post",
"required": ["grant_type", "username", "password"], "required": ["grant_type", "username", "password"],
"type": "object", "type": "object",
"properties": { "properties": {

18
tests/test_security_oauth2_optional.py

@ -31,12 +31,12 @@ def get_current_user(oauth_header: Optional[str] = Security(reusable_oauth2)):
@app.post("/login") @app.post("/login")
def read_current_user(form_data: OAuth2PasswordRequestFormStrict = Depends()): def login(form_data: OAuth2PasswordRequestFormStrict = Depends()):
return form_data return form_data
@app.get("/users/me") @app.get("/users/me")
def read_current_user(current_user: Optional[User] = Depends(get_current_user)): def read_users_me(current_user: Optional[User] = Depends(get_current_user)):
if current_user is None: if current_user is None:
return {"msg": "Create an account first"} return {"msg": "Create an account first"}
return current_user return current_user
@ -66,13 +66,13 @@ openapi_schema = {
}, },
}, },
}, },
"summary": "Read Current User", "summary": "Login",
"operationId": "read_current_user_login_post", "operationId": "login_login_post",
"requestBody": { "requestBody": {
"content": { "content": {
"application/x-www-form-urlencoded": { "application/x-www-form-urlencoded": {
"schema": { "schema": {
"$ref": "#/components/schemas/Body_read_current_user_login_post" "$ref": "#/components/schemas/Body_login_login_post"
} }
} }
}, },
@ -88,16 +88,16 @@ openapi_schema = {
"content": {"application/json": {"schema": {}}}, "content": {"application/json": {"schema": {}}},
} }
}, },
"summary": "Read Current User", "summary": "Read Users Me",
"operationId": "read_current_user_users_me_get", "operationId": "read_users_me_users_me_get",
"security": [{"OAuth2": []}], "security": [{"OAuth2": []}],
} }
}, },
}, },
"components": { "components": {
"schemas": { "schemas": {
"Body_read_current_user_login_post": { "Body_login_login_post": {
"title": "Body_read_current_user_login_post", "title": "Body_login_login_post",
"required": ["grant_type", "username", "password"], "required": ["grant_type", "username", "password"],
"type": "object", "type": "object",
"properties": { "properties": {

10
tests/test_skip_defaults.py

@ -30,14 +30,14 @@ class ModelDefaults(BaseModel):
@app.get("/", response_model=Model, response_model_exclude_unset=True) @app.get("/", response_model=Model, response_model_exclude_unset=True)
def get() -> ModelSubclass: def get_root() -> ModelSubclass:
return ModelSubclass(sub={}, y=1, z=0) return ModelSubclass(sub={}, y=1, z=0)
@app.get( @app.get(
"/exclude_unset", response_model=ModelDefaults, response_model_exclude_unset=True "/exclude_unset", response_model=ModelDefaults, response_model_exclude_unset=True
) )
def get() -> ModelDefaults: def get_exclude_unset() -> ModelDefaults:
return ModelDefaults(x=None, y="y") return ModelDefaults(x=None, y="y")
@ -46,14 +46,14 @@ def get() -> ModelDefaults:
response_model=ModelDefaults, response_model=ModelDefaults,
response_model_exclude_defaults=True, response_model_exclude_defaults=True,
) )
def get() -> ModelDefaults: def get_exclude_defaults() -> ModelDefaults:
return ModelDefaults(x=None, y="y") return ModelDefaults(x=None, y="y")
@app.get( @app.get(
"/exclude_none", response_model=ModelDefaults, response_model_exclude_none=True "/exclude_none", response_model=ModelDefaults, response_model_exclude_none=True
) )
def get() -> ModelDefaults: def get_exclude_none() -> ModelDefaults:
return ModelDefaults(x=None, y="y") return ModelDefaults(x=None, y="y")
@ -63,7 +63,7 @@ def get() -> ModelDefaults:
response_model_exclude_unset=True, response_model_exclude_unset=True,
response_model_exclude_none=True, response_model_exclude_none=True,
) )
def get() -> ModelDefaults: def get_exclude_unset_none() -> ModelDefaults:
return ModelDefaults(x=None, y="y") return ModelDefaults(x=None, y="y")

12
tests/test_starlette_exception.py

@ -8,7 +8,7 @@ items = {"foo": "The Foo Wrestlers"}
@app.get("/items/{item_id}") @app.get("/items/{item_id}")
async def create_item(item_id: str): async def read_item(item_id: str):
if item_id not in items: if item_id not in items:
raise HTTPException( raise HTTPException(
status_code=404, status_code=404,
@ -19,7 +19,7 @@ async def create_item(item_id: str):
@app.get("/starlette-items/{item_id}") @app.get("/starlette-items/{item_id}")
async def create_item(item_id: str): async def read_starlette_item(item_id: str):
if item_id not in items: if item_id not in items:
raise StarletteHTTPException(status_code=404, detail="Item not found") raise StarletteHTTPException(status_code=404, detail="Item not found")
return {"item": items[item_id]} return {"item": items[item_id]}
@ -49,8 +49,8 @@ openapi_schema = {
}, },
}, },
}, },
"summary": "Create Item", "summary": "Read Item",
"operationId": "create_item_items__item_id__get", "operationId": "read_item_items__item_id__get",
"parameters": [ "parameters": [
{ {
"required": True, "required": True,
@ -79,8 +79,8 @@ openapi_schema = {
}, },
}, },
}, },
"summary": "Create Item", "summary": "Read Starlette Item",
"operationId": "create_item_starlette_items__item_id__get", "operationId": "read_starlette_item_starlette_items__item_id__get",
"parameters": [ "parameters": [
{ {
"required": True, "required": True,

6
tests/test_swagger_ui_init_oauth.py

@ -18,9 +18,9 @@ def test_swagger_ui():
response = client.get("/docs") response = client.get("/docs")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
print(response.text) print(response.text)
assert f"ui.initOAuth" in response.text assert "ui.initOAuth" in response.text
assert f'"appName": "The Predendapp"' in response.text assert '"appName": "The Predendapp"' in response.text
assert f'"clientId": "the-foo-clients"' in response.text assert '"clientId": "the-foo-clients"' in response.text
def test_response(): def test_response():

2
tests/test_tutorial/test_async_sql_databases/test_tutorial001.py

@ -126,6 +126,6 @@ def test_create_read():
assert data["text"] == note["text"] assert data["text"] == note["text"]
assert data["completed"] == note["completed"] assert data["completed"] == note["completed"]
assert "id" in data assert "id" in data
response = client.get(f"/notes/") response = client.get("/notes/")
assert response.status_code == 200, response.text assert response.status_code == 200, response.text
assert data in response.json() assert data in response.json()

2
tests/test_tutorial/test_body/test_tutorial001.py

@ -128,7 +128,7 @@ name_price_missing = {
body_missing = { body_missing = {
"detail": [ "detail": [
{"loc": ["body"], "msg": "field required", "type": "value_error.missing",} {"loc": ["body"], "msg": "field required", "type": "value_error.missing"}
] ]
} }

2
tests/test_ws_router.py

@ -28,7 +28,7 @@ async def routerprefixindex(websocket: WebSocket):
@router.websocket("/router2") @router.websocket("/router2")
async def routerindex(websocket: WebSocket): async def routerindex2(websocket: WebSocket):
await websocket.accept() await websocket.accept()
await websocket.send_text("Hello, router!") await websocket.send_text("Hello, router!")
await websocket.close() await websocket.close()

Loading…
Cancel
Save