Skip to content

Commit 3f0a9bb

Browse files
committed
feat: add pagination to alerts and messages endpoints
Modify the API to add pagination to those endpoints, to be able to render faster in the browser Closes: #1020
1 parent dca424c commit 3f0a9bb

File tree

3 files changed

+73
-19
lines changed

3 files changed

+73
-19
lines changed

src/codegate/api/v1.py

+37-10
Original file line numberDiff line numberDiff line change
@@ -1,13 +1,14 @@
1-
from typing import List, Optional
1+
from typing import Any, Dict, List, Optional
22
from uuid import UUID
33

44
import requests
55
import structlog
6-
from fastapi import APIRouter, Depends, HTTPException, Response
6+
from fastapi import APIRouter, Depends, HTTPException, Query, Response
77
from fastapi.responses import StreamingResponse
88
from fastapi.routing import APIRoute
99
from pydantic import BaseModel, ValidationError
1010

11+
from codegate.config import API_DEFAULT_PAGE_SIZE, API_MAX_PAGE_SIZE
1112
import codegate.muxing.models as mux_models
1213
from codegate import __version__
1314
from codegate.api import v1_models, v1_processing
@@ -378,7 +379,11 @@ async def hard_delete_workspace(workspace_name: str):
378379
tags=["Workspaces"],
379380
generate_unique_id_function=uniq_name,
380381
)
381-
async def get_workspace_alerts(workspace_name: str) -> List[Optional[v1_models.AlertConversation]]:
382+
async def get_workspace_alerts(
383+
workspace_name: str,
384+
page: int = Query(1, ge=1),
385+
page_size: int = Query(API_DEFAULT_PAGE_SIZE, get=1, le=API_MAX_PAGE_SIZE),
386+
) -> Dict[str, Any]:
382387
"""Get alerts for a workspace."""
383388
try:
384389
ws = await wscrud.get_workspace_by_name(workspace_name)
@@ -388,13 +393,35 @@ async def get_workspace_alerts(workspace_name: str) -> List[Optional[v1_models.A
388393
logger.exception("Error while getting workspace")
389394
raise HTTPException(status_code=500, detail="Internal server error")
390395

391-
try:
392-
alerts = await dbreader.get_alerts_by_workspace(ws.id, AlertSeverity.CRITICAL.value)
393-
prompts_outputs = await dbreader.get_prompts_with_output(ws.id)
394-
return await v1_processing.parse_get_alert_conversation(alerts, prompts_outputs)
395-
except Exception:
396-
logger.exception("Error while getting alerts and messages")
397-
raise HTTPException(status_code=500, detail="Internal server error")
396+
total_alerts = 0
397+
fetched_alerts = []
398+
offset = (page - 1) * page_size
399+
batch_size = page_size * 2 # fetch more alerts per batch to allow deduplication
400+
401+
while len(fetched_alerts) < page_size:
402+
alerts_batch, total_alerts = await dbreader.get_alerts_by_workspace(
403+
ws.id, AlertSeverity.CRITICAL.value, page_size, offset
404+
)
405+
if not alerts_batch:
406+
break
407+
408+
dedup_alerts = await v1_processing.remove_duplicate_alerts(alerts_batch)
409+
fetched_alerts.extend(dedup_alerts)
410+
offset += batch_size
411+
412+
final_alerts = fetched_alerts[:page_size]
413+
prompt_ids = list({alert.prompt_id for alert in final_alerts if alert.prompt_id})
414+
prompts_outputs = await dbreader.get_prompts_with_output(prompt_ids)
415+
alert_conversations = await v1_processing.parse_get_alert_conversation(
416+
final_alerts, prompts_outputs
417+
)
418+
return {
419+
"page": page,
420+
"page_size": page_size,
421+
"total_alerts": total_alerts,
422+
"total_pages": (total_alerts + page_size - 1) // page_size,
423+
"alerts": alert_conversations,
424+
}
398425

399426

400427
@v1.get(

src/codegate/config.py

+3
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,9 @@
2525
"llamacpp": "./codegate_volume/models", # Default LlamaCpp model path
2626
}
2727

28+
API_DEFAULT_PAGE_SIZE = 50
29+
API_MAX_PAGE_SIZE = 100
30+
2831

2932
@dataclass
3033
class Config:

src/codegate/db/connection.py

+33-9
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22
import json
33
import uuid
44
from pathlib import Path
5-
from typing import Dict, List, Optional, Type
5+
from typing import Dict, List, Optional, Tuple, Type
66

77
import structlog
88
from alembic import command as alembic_command
@@ -13,6 +13,7 @@
1313
from sqlalchemy.exc import IntegrityError, OperationalError
1414
from sqlalchemy.ext.asyncio import create_async_engine
1515

16+
from codegate.config import API_DEFAULT_PAGE_SIZE
1617
from codegate.db.fim_cache import FimCache
1718
from codegate.db.models import (
1819
ActiveWorkspace,
@@ -569,7 +570,10 @@ async def _exec_select_conditions_to_pydantic(
569570
raise e
570571
return None
571572

572-
async def get_prompts_with_output(self, workpace_id: str) -> List[GetPromptWithOutputsRow]:
573+
async def get_prompts_with_output(self, prompt_ids: List[str]) -> List[GetPromptWithOutputsRow]:
574+
if not prompt_ids:
575+
return []
576+
573577
sql = text(
574578
"""
575579
SELECT
@@ -583,11 +587,11 @@ async def get_prompts_with_output(self, workpace_id: str) -> List[GetPromptWithO
583587
o.output_cost
584588
FROM prompts p
585589
LEFT JOIN outputs o ON p.id = o.prompt_id
586-
WHERE p.workspace_id = :workspace_id
590+
WHERE p.id IN :prompt_ids
587591
ORDER BY o.timestamp DESC
588592
"""
589593
)
590-
conditions = {"workspace_id": workpace_id}
594+
conditions = {"prompt_ids": tuple(prompt_ids)}
591595
prompts = await self._exec_select_conditions_to_pydantic(
592596
GetPromptWithOutputsRow, sql, conditions, should_raise=True
593597
)
@@ -656,8 +660,12 @@ async def get_prompts_with_output_alerts_usage_by_workspace_id(
656660
return list(prompts_dict.values())
657661

658662
async def get_alerts_by_workspace(
659-
self, workspace_id: str, trigger_category: Optional[str] = None
660-
) -> List[Alert]:
663+
self,
664+
workspace_id: str,
665+
trigger_category: Optional[str] = None,
666+
limit: int = API_DEFAULT_PAGE_SIZE,
667+
offset: int = 0,
668+
) -> Tuple[List[Alert], int]:
661669
sql = text(
662670
"""
663671
SELECT
@@ -679,12 +687,28 @@ async def get_alerts_by_workspace(
679687
sql = text(sql.text + " AND a.trigger_category = :trigger_category")
680688
conditions["trigger_category"] = trigger_category
681689

682-
sql = text(sql.text + " ORDER BY a.timestamp DESC")
690+
sql = text(sql.text + " ORDER BY a.timestamp DESC LIMIT :limit OFFSET :offset")
691+
conditions["limit"] = limit
692+
conditions["offset"] = offset
683693

684-
prompts = await self._exec_select_conditions_to_pydantic(
694+
alerts = await self._exec_select_conditions_to_pydantic(
685695
Alert, sql, conditions, should_raise=True
686696
)
687-
return prompts
697+
698+
# Count total alerts for pagination
699+
count_sql = text(
700+
"""
701+
SELECT COUNT(*)
702+
FROM alerts a
703+
INNER JOIN prompts p ON p.id = a.prompt_id
704+
WHERE p.workspace_id = :workspace_id
705+
"""
706+
)
707+
if trigger_category:
708+
count_sql = text(count_sql.text + " AND a.trigger_category = :trigger_category")
709+
710+
total_alerts = await self._exec_select_count(count_sql, conditions)
711+
return alerts, total_alerts
688712

689713
async def get_workspaces(self) -> List[WorkspaceWithSessionInfo]:
690714
sql = text(

0 commit comments

Comments
 (0)