
- Created FastAPI application with Todo CRUD operations - Implemented GET /api/v1/todos/ for listing todos with pagination - Implemented POST /api/v1/todos/ for creating new todos - Implemented GET /api/v1/todos/{id} for retrieving specific todos - Implemented PUT /api/v1/todos/{id} for updating todos - Implemented DELETE /api/v1/todos/{id} for deleting todos - Added proper error handling with 404 responses - Configured SQLAlchemy with SQLite database - Set up Alembic for database migrations - Added Pydantic schemas for request/response validation - Enabled CORS for all origins - Added health check endpoint at /health - Updated README with complete API documentation
28 lines
675 B
Python
28 lines
675 B
Python
from pydantic import BaseModel, Field
|
|
from typing import Optional
|
|
from datetime import datetime
|
|
|
|
|
|
class TodoBase(BaseModel):
|
|
title: str = Field(..., min_length=1, max_length=200)
|
|
description: Optional[str] = Field(None, max_length=1000)
|
|
completed: bool = False
|
|
|
|
|
|
class TodoCreate(TodoBase):
|
|
pass
|
|
|
|
|
|
class TodoUpdate(BaseModel):
|
|
title: Optional[str] = Field(None, min_length=1, max_length=200)
|
|
description: Optional[str] = Field(None, max_length=1000)
|
|
completed: Optional[bool] = None
|
|
|
|
|
|
class TodoResponse(TodoBase):
|
|
id: int
|
|
created_at: datetime
|
|
updated_at: Optional[datetime] = None
|
|
|
|
class Config:
|
|
from_attributes = True |