from typing import Any, List from fastapi import APIRouter, Depends, HTTPException, status from sqlalchemy.orm import Session from app import crud from app.db.session import get_db from app.schemas.category import Category, CategoryCreate, CategoryUpdate router = APIRouter() @router.get("/", response_model=List[Category]) def read_categories( db: Session = Depends(get_db), skip: int = 0, limit: int = 100, ) -> Any: """ Retrieve categories. """ categories = crud.category.get_multi(db, skip=skip, limit=limit) return categories @router.post("/", response_model=Category) def create_category( *, db: Session = Depends(get_db), category_in: CategoryCreate, ) -> Any: """ Create new category. """ category = crud.category.get_by_name(db, name=category_in.name) if category: raise HTTPException( status_code=status.HTTP_400_BAD_REQUEST, detail="Category with this name already exists", ) category = crud.category.create(db, obj_in=category_in) return category @router.get("/{category_id}", response_model=Category) def read_category( *, db: Session = Depends(get_db), category_id: int, ) -> Any: """ Get category by ID. """ category = crud.category.get(db, id=category_id) if not category: raise HTTPException( status_code=status.HTTP_404_NOT_FOUND, detail="Category not found", ) return category @router.put("/{category_id}", response_model=Category) def update_category( *, db: Session = Depends(get_db), category_id: int, category_in: CategoryUpdate, ) -> Any: """ Update a category. """ category = crud.category.get(db, id=category_id) if not category: raise HTTPException( status_code=status.HTTP_404_NOT_FOUND, detail="Category not found", ) # Check if updating name and if it already exists if category_in.name and category_in.name != category.name: existing_category = crud.category.get_by_name(db, name=category_in.name) if existing_category: raise HTTPException( status_code=status.HTTP_400_BAD_REQUEST, detail="Category with this name already exists", ) category = crud.category.update(db, db_obj=category, obj_in=category_in) return category @router.delete("/{category_id}", status_code=status.HTTP_204_NO_CONTENT, response_model=None) def delete_category( *, db: Session = Depends(get_db), category_id: int, ) -> None: """ Delete a category. """ category = crud.category.get(db, id=category_id) if not category: raise HTTPException( status_code=status.HTTP_404_NOT_FOUND, detail="Category not found", ) # Check if category has items items = crud.item.get_by_category(db, category_id=category_id) if items: raise HTTPException( status_code=status.HTTP_400_BAD_REQUEST, detail="Cannot delete category with associated items", ) crud.category.remove(db, id=category_id) return None