Spaces:
Running
Running
File size: 1,456 Bytes
f6c211e bfe84f4 f6c211e c1fd450 f6c211e |
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 |
from fastapi import FastAPI, HTTPException
from pydantic import BaseModel
from typing import List, Optional
app = FastAPI()
class Task(BaseModel):
id: int
title: str
description: Optional[str] = None
done: bool = False
tasks: List[Task] = []
@app.get("/")
def root():
return {"message": "Willkommen bei der ToDo-API! Siehe /tasks"}
@app.get("/tasks", response_model=List[Task])
def get_tasks():
return tasks
@app.post("/tasks", response_model=Task)
def create_task(task: Task):
if any(t.id == task.id for t in tasks):
raise HTTPException(status_code=400, detail="ID existiert bereits.")
tasks.append(task)
return task
@app.get("/tasks/{task_id}", response_model=Task)
def get_task(task_id: int):
for task in tasks:
if task.id == task_id:
return task
raise HTTPException(status_code=404, detail="Aufgabe nicht gefunden.")
@app.put("/tasks/{task_id}/done", response_model=Task)
def mark_task_done(task_id: int):
for task in tasks:
if task.id == task_id:
task.done = True
return task
raise HTTPException(status_code=404, detail="Aufgabe nicht gefunden.")
@app.delete("/tasks/{task_id}")
def delete_task(task_id: int):
for i, task in enumerate(tasks):
if task.id == task_id:
del tasks[i]
return {"detail": "Aufgabe gelöscht."}
raise HTTPException(status_code=404, detail="Aufgabe nicht gefunden.")
|