-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathtodo.py
162 lines (137 loc) · 5.37 KB
/
todo.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
from typing import Annotated
from fastapi import APIRouter, Path, HTTPException, status
from model import ToDo, ToDoItem, ToDoItems
# ------------------------------------------------------------------------------
# A very simple to-do app
# ==============================================================================
# ⚠️ Beware of malicious code and make sure you sanitize the data (`json`) that
# comes in to the http server. Pydantic helps us validate data. Don't allow anyone
# to tank your database! Have your code checked over by a professional, and make
# sure to use the right tools to protect yourself.
#
#
# API Documentation
# -----------------
# > See Bruno app for all `json` REST examples.
#
# @ http://127.0.0.1:8000/docs/
# @ http://127.0.0.1:8000/redoc/
#
#
# FastApi types etc
# -----------------
# > `Annotated` is helpful with auto-generated docs
# > `response_model` is a "magic" shortcut (if both, `response_model` takes priority)
# >
# > Neither are strictly necessary when using Bruno!
#
# 1. `Annotated` types: help to validate and document API
# - @ https://tinyurl.com/fast-api-import-path
# - @ https://stackoverflow.com/a/76399911
# 2. Response types and `response_model=`:
# - Return the _actual_ type with a response type, which will be used
# to validate the response. You need to _explicitly_ code the return value.
# - Use `response_model=` to have FastApi document and validate with
# a Pydantic model. This is useful when you want to exclude fields.
# - @ https://fastapi.tiangolo.com/tutorial/response-model/
# 3. Handling errors:
# - Doesn't exist, protected pages, insufficient permissions, etc
# - @ https://fastapi.tiangolo.com/tutorial/handling-errors/
# - @ https://fastapi.tiangolo.com/reference/dependencies/#security
#
#
# Old Learning points
# -------------------
# > Each chapter has it's own useful learning points that students should know.
#
# 1. By now you should know what a path, request, query is.
# 2. You should understand the difference between mutable and immutable data.
# 3. You should know the difference between `POST`, `GET`, `PUT`, `DELETE`.
# 4. You should know what Pydantic is and how to use it.
#
# New learning points
# -------------------
# - `PUT` replaces the resource (e.g: the whole record)
# - `PATCH` replaces the _value_ (e.g: `{ "name": "new product name" }`)
# - `HTTPException` tells our client what went wrong (with correct status code)
#
#
# Wishlist
# --------
# 1. Duplicate `:id`s should not be allowed
# 2. String length: how long?
# 3. String length: not empty
# 4. Only partially update `Item` (e.g, the `status` field)
todo_router = APIRouter()
# Data -------------------------------------------------------------------------
todo_list = []
# Routes -----------------------------------------------------------------------
# We're using Python "magic" in `retrieve_todo`.
# The "Elm way" would be: @ https://tinyurl.com/fast-api-anti-magic-response
@todo_router.post("/todo", status_code=201)
async def add_todo(todo: ToDo) -> dict:
todo_list.append(todo)
return { "message": "To-do added successfully" }
# Return the ToDo list without the `:id`
@todo_router.get("/todo", response_model=ToDoItems)
async def retrieve_todo() -> dict:
return { "todos": todo_list }
# Return the ToDo _with_ the `:id`
@todo_router.get("/todo/{id}")
async def retrieve_single_todo(
id: Annotated[int, Path(title="The ID of the to-do to retrieve")]
) -> dict:
if not todo_list: # check if the list is empty
# currently returns `200` OK: the WRONG status code!
return { "message": "Your to-do list is empty" }
else:
for todo in todo_list:
if todo.id == id:
return { "todo": todo }
else:
raise HTTPException(
status_code=404,
detail=f"To-do with (:id {id}) doesn't exist"
)
# Update a single ToDo (the first one it finds)
@todo_router.put("/todo/{id}")
async def update_single_todo(
todo_data: ToDoItem,
id: Annotated[int, Path(title="The ID of the to-do to be updated")]
) -> dict:
for todo in todo_list:
if todo.id == id:
todo.item = todo_data.item # replace with the request body
return {
"message": f"To-do with (:id {id}) updated successfully",
"todos": todo_list #! Debugging (don't do this in production!)
}
raise HTTPException(
status_code=404,
detail=f"To-do with (:id {id}) doesn't exist"
)
# Delete a single ToDo
@todo_router.delete("/todo/{id}")
async def delete_single_todo(
id: Annotated[int, Path(title="The ID of the to-do to be deleted")]
) -> dict:
"""Uses `.remove()` instead of `.pop()` for readability."""
for todo in todo_list:
if todo.id == id:
todo_list.remove(todo) # remove the to-do
return { "message": f"To-do with (:id {id}) deleted successfully" }
raise HTTPException(
status_code=404,
detail=f"To-do with (:id {id}) doesn't exist"
)
@todo_router.delete("/todo")
async def delete_all_todos() -> dict:
"""Delete all to-dos"""
if not todo_list:
raise HTTPException(
status_code=404,
detail=f"To-do list is empty!"
)
else:
todo_list.clear()
return { "message": "All to-dos deleted successfully" }