Spaces:
Sleeping
Sleeping
File size: 2,287 Bytes
697c967 |
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 |
from fastapi import Request, HTTPException
from fastapi.responses import JSONResponse
from fastapi.exceptions import RequestValidationError
from starlette.exceptions import HTTPException as StarletteHTTPException
from .logging import get_logger
from typing import Union
logger = get_logger(__name__)
async def http_exception_handler(request: Request, exc: StarletteHTTPException) -> JSONResponse:
"""
Handle HTTP exceptions globally.
Args:
request: FastAPI request object
exc: HTTP exception
Returns:
JSONResponse with error details
"""
logger.warning(f"HTTP Exception: {exc.status_code} - {exc.detail} - Path: {request.url.path}")
return JSONResponse(
status_code=exc.status_code,
content={
"error": {
"type": "http_exception",
"status_code": exc.status_code,
"message": str(exc.detail)
}
}
)
async def validation_exception_handler(request: Request, exc: RequestValidationError) -> JSONResponse:
"""
Handle request validation exceptions globally.
Args:
request: FastAPI request object
exc: Request validation exception
Returns:
JSONResponse with validation error details
"""
logger.warning(f"Validation Exception: Path: {request.url.path}, Errors: {exc.errors()}")
return JSONResponse(
status_code=422,
content={
"error": {
"type": "validation_error",
"status_code": 422,
"message": "Validation failed",
"details": exc.errors()
}
}
)
async def general_exception_handler(request: Request, exc: Exception) -> JSONResponse:
"""
Handle general exceptions globally.
Args:
request: FastAPI request object
exc: General exception
Returns:
JSONResponse with error details
"""
logger.error(f"General Exception: {str(exc)} - Path: {request.url.path}", exc_info=True)
return JSONResponse(
status_code=500,
content={
"error": {
"type": "internal_error",
"status_code": 500,
"message": "Internal server error"
}
}
) |