Skip to content

Commit 8329981

Browse files
committed
fixed for more strict
1 parent d8ab798 commit 8329981

16 files changed

+158
-104
lines changed

mypy.ini

+6-3
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,8 @@
11
[mypy]
2+
python_version = 3.11
3+
warn_return_any = True
4+
warn_unused_configs = True
25
ignore_missing_imports = True
3-
strict_optional = True
4-
warn_redundant_casts = True
5-
warn_unused_ignores = True
6+
7+
[mypy-src.app.*]
8+
disallow_untyped_defs = True

src/app/api/dependencies.py

+5-5
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from typing import Annotated
1+
from typing import Annotated, Union, Any
22

33
from app.core.security import SECRET_KEY, ALGORITHM, oauth2_scheme
44
from app.core.config import settings
@@ -31,13 +31,13 @@
3131
async def get_current_user(
3232
token: Annotated[str, Depends(oauth2_scheme)],
3333
db: Annotated[AsyncSession, Depends(async_get_db)]
34-
) -> dict:
34+
) -> Union[dict[str, Any], None]:
3535
token_data = await verify_token(token, db)
3636
if token_data is None:
3737
raise UnauthorizedException("User not authenticated.")
3838

3939
if "@" in token_data.username_or_email:
40-
user = await crud_users.get(db=db, email=token_data.username_or_email, is_deleted=False)
40+
user: dict = await crud_users.get(db=db, email=token_data.username_or_email, is_deleted=False)
4141
else:
4242
user = await crud_users.get(db=db, username=token_data.username_or_email, is_deleted=False)
4343

@@ -76,7 +76,7 @@ async def get_optional_user(
7676
return None
7777

7878

79-
async def get_current_superuser(current_user: Annotated[User, Depends(get_current_user)]) -> dict:
79+
async def get_current_superuser(current_user: Annotated[dict, Depends(get_current_user)]) -> dict:
8080
if not current_user["is_superuser"]:
8181
raise ForbiddenException("You do not have enough privileges.")
8282

@@ -87,7 +87,7 @@ async def rate_limiter(
8787
request: Request,
8888
db: Annotated[AsyncSession, Depends(async_get_db)],
8989
user: User | None = Depends(get_optional_user)
90-
):
90+
) -> None:
9191
path = sanitize_path(request.url.path)
9292
if user:
9393
user_id = user["id"]

src/app/api/v1/login.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from typing import Annotated
1+
from typing import Annotated, Dict
22
from datetime import timedelta
33

44
from fastapi import Depends
@@ -17,7 +17,7 @@
1717
async def login_for_access_token(
1818
form_data: Annotated[OAuth2PasswordRequestForm, Depends()],
1919
db: Annotated[AsyncSession, Depends(async_get_db)]
20-
):
20+
) -> Dict[str, str]:
2121
user = await authenticate_user(
2222
username_or_email=form_data.username,
2323
password=form_data.password,

src/app/api/v1/logout.py

+4-2
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,8 @@
1+
from typing import Dict
2+
13
from datetime import datetime
24

3-
from fastapi import APIRouter, Depends, status
5+
from fastapi import APIRouter, Depends
46
from sqlalchemy.ext.asyncio import AsyncSession
57
from jose import jwt, JWTError
68

@@ -16,7 +18,7 @@
1618
async def logout(
1719
token: str = Depends(oauth2_scheme),
1820
db: AsyncSession = Depends(async_get_db)
19-
):
21+
) -> Dict[str, str]:
2022
try:
2123
payload = jwt.decode(token, SECRET_KEY, algorithms=[ALGORITHM])
2224
expires_at = datetime.fromtimestamp(payload.get("exp"))

src/app/api/v1/posts.py

+7-7
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from typing import Annotated
1+
from typing import Annotated, Union, Dict, Any
22

33
from fastapi import Request, Depends
44
from sqlalchemy.ext.asyncio import AsyncSession
@@ -23,7 +23,7 @@ async def write_post(
2323
post: PostCreate,
2424
current_user: Annotated[UserRead, Depends(get_current_user)],
2525
db: Annotated[AsyncSession, Depends(async_get_db)]
26-
):
26+
) -> PostRead:
2727
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
2828
if db_user is None:
2929
raise NotFoundException("User not found")
@@ -50,7 +50,7 @@ async def read_posts(
5050
db: Annotated[AsyncSession, Depends(async_get_db)],
5151
page: int = 1,
5252
items_per_page: int = 10
53-
):
53+
) -> PaginatedListResponse[PostRead]:
5454
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
5555
if not db_user:
5656
raise NotFoundException("User not found")
@@ -78,7 +78,7 @@ async def read_post(
7878
username: str,
7979
id: int,
8080
db: Annotated[AsyncSession, Depends(async_get_db)]
81-
):
81+
) -> PostRead:
8282
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
8383
if db_user is None:
8484
raise NotFoundException("User not found")
@@ -103,7 +103,7 @@ async def patch_post(
103103
values: PostUpdate,
104104
current_user: Annotated[UserRead, Depends(get_current_user)],
105105
db: Annotated[AsyncSession, Depends(async_get_db)]
106-
):
106+
) -> Dict[str, str]:
107107
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
108108
if db_user is None:
109109
raise NotFoundException("User not found")
@@ -131,7 +131,7 @@ async def erase_post(
131131
id: int,
132132
current_user: Annotated[UserRead, Depends(get_current_user)],
133133
db: Annotated[AsyncSession, Depends(async_get_db)]
134-
):
134+
) -> Dict[str, str]:
135135
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
136136
if db_user is None:
137137
raise NotFoundException("User not found")
@@ -159,7 +159,7 @@ async def erase_db_post(
159159
username: str,
160160
id: int,
161161
db: Annotated[AsyncSession, Depends(async_get_db)]
162-
):
162+
) -> Dict[str, str]:
163163
db_user = await crud_users.get(db=db, schema_to_select=UserRead, username=username, is_deleted=False)
164164
if db_user is None:
165165
raise NotFoundException("User not found")

src/app/api/v1/rate_limits.py

+6-6
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from typing import Annotated
1+
from typing import Annotated, Dict
22

33
from fastapi import Request, Depends, HTTPException
44
from sqlalchemy.ext.asyncio import AsyncSession
@@ -25,7 +25,7 @@ async def write_rate_limit(
2525
tier_name: str,
2626
rate_limit: RateLimitCreate,
2727
db: Annotated[AsyncSession, Depends(async_get_db)]
28-
):
28+
) -> RateLimitRead:
2929
db_tier = await crud_tiers.get(db=db, name=tier_name)
3030
if not db_tier:
3131
raise NotFoundException("Tier not found")
@@ -48,7 +48,7 @@ async def read_rate_limits(
4848
db: Annotated[AsyncSession, Depends(async_get_db)],
4949
page: int = 1,
5050
items_per_page: int = 10
51-
):
51+
) -> PaginatedListResponse[RateLimitRead]:
5252
db_tier = await crud_tiers.get(db=db, name=tier_name)
5353
if not db_tier:
5454
raise NotFoundException("Tier not found")
@@ -74,7 +74,7 @@ async def read_rate_limit(
7474
tier_name: str,
7575
id: int,
7676
db: Annotated[AsyncSession, Depends(async_get_db)]
77-
):
77+
) -> RateLimitRead:
7878
db_tier = await crud_tiers.get(db=db, name=tier_name)
7979
if not db_tier:
8080
raise NotFoundException("Tier not found")
@@ -98,7 +98,7 @@ async def patch_rate_limit(
9898
id: int,
9999
values: RateLimitUpdate,
100100
db: Annotated[AsyncSession, Depends(async_get_db)]
101-
):
101+
) -> Dict[str, str]:
102102
db_tier = await crud_tiers.get(db=db, name=tier_name)
103103
if db_tier is None:
104104
raise NotFoundException("Tier not found")
@@ -134,7 +134,7 @@ async def erase_rate_limit(
134134
tier_name: str,
135135
id: int,
136136
db: Annotated[AsyncSession, Depends(async_get_db)]
137-
):
137+
) -> Dict[str, str]:
138138
db_tier = await crud_tiers.get(db=db, name=tier_name)
139139
if not db_tier:
140140
raise NotFoundException("Tier not found")

src/app/api/v1/tasks.py

+33-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,7 @@
1+
from typing import Dict, Optional, Any
2+
13
from arq.jobs import Job as ArqJob
2-
from fastapi import APIRouter, Depends
4+
from fastapi import APIRouter, Depends, HTTPException
35

46
from app.core.utils import queue
57
from app.schemas.job import Job
@@ -8,12 +10,39 @@
810
router = APIRouter(prefix="/tasks", tags=["tasks"])
911

1012
@router.post("/task", response_model=Job, status_code=201, dependencies=[Depends(rate_limiter)])
11-
async def create_task(message: str):
13+
async def create_task(message: str) -> Dict[str, str]:
14+
"""
15+
Create a new background task.
16+
17+
Parameters
18+
----------
19+
message: str
20+
The message or data to be processed by the task.
21+
22+
Returns
23+
-------
24+
Dict[str, str]
25+
A dictionary containing the ID of the created task.
26+
"""
1227
job = await queue.pool.enqueue_job("sample_background_task", message)
1328
return {"id": job.job_id}
1429

1530

1631
@router.get("/task/{task_id}")
17-
async def get_task(task_id: str):
32+
async def get_task(task_id: str) -> Optional[Dict[str, Any]]:
33+
"""
34+
Get information about a specific background task.
35+
36+
Parameters
37+
----------
38+
task_id: str
39+
The ID of the task.
40+
41+
Returns
42+
-------
43+
Optional[Dict[str, Any]]
44+
A dictionary containing information about the task if found, or None otherwise.
45+
"""
1846
job = ArqJob(task_id, queue.pool)
19-
return await job.info()
47+
job_info: dict = await job.info()
48+
return job_info

src/app/api/v1/tiers.py

+6-6
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from typing import Annotated
1+
from typing import Annotated, Dict
22

33
from fastapi import Request, Depends, HTTPException
44
from sqlalchemy.ext.asyncio import AsyncSession
@@ -23,7 +23,7 @@ async def write_tier(
2323
request: Request,
2424
tier: TierCreate,
2525
db: Annotated[AsyncSession, Depends(async_get_db)]
26-
):
26+
) -> TierRead:
2727
tier_internal_dict = tier.model_dump()
2828
db_tier = await crud_tiers.exists(db=db, name=tier_internal_dict["name"])
2929
if db_tier:
@@ -39,7 +39,7 @@ async def read_tiers(
3939
db: Annotated[AsyncSession, Depends(async_get_db)],
4040
page: int = 1,
4141
items_per_page: int = 10
42-
):
42+
) -> PaginatedListResponse[TierRead]:
4343
tiers_data = await crud_tiers.get_multi(
4444
db=db,
4545
offset=compute_offset(page, items_per_page),
@@ -59,7 +59,7 @@ async def read_tier(
5959
request: Request,
6060
name: str,
6161
db: Annotated[AsyncSession, Depends(async_get_db)]
62-
):
62+
) -> TierRead:
6363
db_tier = await crud_tiers.get(db=db, schema_to_select=TierRead, name=name)
6464
if db_tier is None:
6565
raise NotFoundException("Tier not found")
@@ -73,7 +73,7 @@ async def patch_tier(
7373
values: TierUpdate,
7474
name: str,
7575
db: Annotated[AsyncSession, Depends(async_get_db)]
76-
):
76+
) -> Dict[str, str]:
7777
db_tier = await crud_tiers.get(db=db, schema_to_select=TierRead, name=name)
7878
if db_tier is None:
7979
raise NotFoundException("Tier not found")
@@ -87,7 +87,7 @@ async def erase_tier(
8787
request: Request,
8888
name: str,
8989
db: Annotated[AsyncSession, Depends(async_get_db)]
90-
):
90+
) -> Dict[str, str]:
9191
db_tier = await crud_tiers.get(db=db, schema_to_select=TierRead, name=name)
9292
if db_tier is None:
9393
raise NotFoundException("Tier not found")

0 commit comments

Comments
 (0)