config_proxy.py 3.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384
  1. from fastapi import APIRouter, HTTPException, Body, status, Query
  2. from fastapi.responses import JSONResponse
  3. import httpx
  4. from ..core.logger import get_logger
  5. from ..core.config import settings
  6. from contextlib import asynccontextmanager
  7. logger = get_logger(__name__)
  8. router = APIRouter()
  9. # 1. 创建一个全局的 client (配置好超时和连接池)
  10. # limits: max_keepalive_connections 控制连接池大小
  11. http_client = httpx.AsyncClient(timeout=10.0, limits=httpx.Limits(max_keepalive_connections=20, max_connections=100))
  12. @router.get("/scoring_config", summary="[代理] 获取评分配置")
  13. async def proxy_get_scoring_config():
  14. target_url = settings.SCORE_SERVER_CONFIG_URL
  15. try:
  16. # 2. 直接使用全局 client,不需要 async with
  17. resp = await http_client.get(target_url)
  18. if resp.status_code != 200:
  19. logger.error(f"项目1返回错误: {resp.status_code} - {resp.text}")
  20. raise HTTPException(
  21. status_code=resp.status_code,
  22. detail=resp.json().get("detail", "上游服务错误")
  23. )
  24. return resp.json()
  25. except httpx.RequestError as exc:
  26. logger.error(f"连接项目1失败: {exc}")
  27. raise HTTPException(status_code=503, detail=str(exc))
  28. @router.put("/scoring_config", summary="[代理] 更新评分配置")
  29. async def proxy_update_scoring_config(config_data: dict = Body(...)):
  30. target_url = settings.SCORE_SERVER_CONFIG_URL
  31. try:
  32. # 2. 复用连接
  33. resp = await http_client.put(target_url, json=config_data)
  34. if resp.status_code != 200:
  35. raise HTTPException(status_code=resp.status_code, detail=f"保存失败: {resp.json()['detail']}")
  36. return_data = {"detail": f"{resp.json()['message']}"}
  37. return JSONResponse(status_code=resp.status_code, content=return_data)
  38. except httpx.RequestError as exc:
  39. logger.error(f"连接项目1失败: {exc}")
  40. raise HTTPException(status_code=503, detail=str(exc))
  41. @router.get("/severity_names", summary="[代理] 获取缺陷严重程度列表")
  42. async def proxy_get_severity_names(defect_label: str = Query(..., description="缺陷标签")):
  43. target_url = f"{settings.SCORE_SERVER_CONFIG_URL.replace('/scoring_config', '')}/severity_names"
  44. # 注意:settings.SCORE_SERVER_CONFIG_URL 通常是 http://host:port/api/config/scoring_config
  45. # 我们需要构建 http://host:port/api/config/severity_names
  46. # 更加稳健的写法是基于 base URL 拼接,这里假设 replace 可行,或者直接使用 query params
  47. # 假设 settings.SCORE_SERVER_CONFIG_URL 是完整路径 ".../scoring_config"
  48. # 我们需要把它替换掉
  49. base_url = settings.SCORE_SERVER_CONFIG_URL.rsplit('/', 1)[0]
  50. final_url = f"{base_url}/severity_names"
  51. try:
  52. # 发送带参数的 GET 请求
  53. resp = await http_client.get(final_url, params={"defect_label": defect_label})
  54. if resp.status_code != 200:
  55. logger.error(f"项目1返回错误: {resp.status_code} - {resp.text}")
  56. raise HTTPException(
  57. status_code=resp.status_code,
  58. detail=resp.json().get("detail", "上游服务错误")
  59. )
  60. return resp.json()
  61. except httpx.RequestError as exc:
  62. logger.error(f"连接项目1失败: {exc}")
  63. raise HTTPException(status_code=503, detail=str(exc))