
- Set up project structure with FastAPI application - Implement SQLAlchemy models for users, services, projects, team members, contacts - Create API endpoints for website functionality - Implement JWT authentication system with user roles - Add file upload functionality for media - Configure CORS and health check endpoints - Add database migrations with Alembic - Create comprehensive README with setup instructions
82 lines
2.2 KiB
Python
82 lines
2.2 KiB
Python
from typing import Any, List
|
|
|
|
from fastapi import APIRouter, Depends, HTTPException, status
|
|
from sqlalchemy.orm import Session
|
|
|
|
from app import crud, models, schemas
|
|
from app.api import deps
|
|
|
|
router = APIRouter()
|
|
|
|
|
|
@router.get("/", response_model=List[schemas.User])
|
|
def read_users(
|
|
db: Session = Depends(deps.get_db),
|
|
skip: int = 0,
|
|
limit: int = 100,
|
|
current_user: models.User = Depends(deps.get_current_active_superuser),
|
|
) -> Any:
|
|
"""
|
|
Retrieve users.
|
|
"""
|
|
users = crud.user.get_multi(db, skip=skip, limit=limit)
|
|
return users
|
|
|
|
|
|
@router.get("/{user_id}", response_model=schemas.User)
|
|
def read_user_by_id(
|
|
user_id: int,
|
|
current_user: models.User = Depends(deps.get_current_active_superuser),
|
|
db: Session = Depends(deps.get_db),
|
|
) -> Any:
|
|
"""
|
|
Get a specific user by id.
|
|
"""
|
|
user = crud.user.get(db, id=user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail="The user with this ID does not exist in the system",
|
|
)
|
|
return user
|
|
|
|
|
|
@router.put("/{user_id}", response_model=schemas.User)
|
|
def update_user(
|
|
*,
|
|
db: Session = Depends(deps.get_db),
|
|
user_id: int,
|
|
user_in: schemas.UserUpdate,
|
|
current_user: models.User = Depends(deps.get_current_active_superuser),
|
|
) -> Any:
|
|
"""
|
|
Update a user.
|
|
"""
|
|
user = crud.user.get(db, id=user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail="The user with this ID does not exist in the system",
|
|
)
|
|
user = crud.user.update(db, db_obj=user, obj_in=user_in)
|
|
return user
|
|
|
|
|
|
@router.delete("/{user_id}", response_model=schemas.User)
|
|
def delete_user(
|
|
*,
|
|
db: Session = Depends(deps.get_db),
|
|
user_id: int,
|
|
current_user: models.User = Depends(deps.get_current_active_superuser),
|
|
) -> Any:
|
|
"""
|
|
Delete a user.
|
|
"""
|
|
user = crud.user.get(db, id=user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail="The user with this ID does not exist in the system",
|
|
)
|
|
user = crud.user.remove(db, id=user_id)
|
|
return user |