Skip to content

Commit

Permalink
feat(main.py): Add events endpoint
Browse files Browse the repository at this point in the history
Add initial implementation of events endpoint

Signed-off-by: Denys Fedoryshchenko <[email protected]>
  • Loading branch information
nuclearcat committed Oct 30, 2024
1 parent 7c0b59a commit 4f02580
Showing 1 changed file with 63 additions and 1 deletion.
64 changes: 63 additions & 1 deletion api/main.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@
import re
from typing import List, Union, Optional
import threading
from datetime import datetime
from contextlib import asynccontextmanager
from fastapi import (
Depends,
Expand All @@ -24,6 +25,7 @@
Query,
Body,
)
from fastapi.encoders import jsonable_encoder
from fastapi.responses import JSONResponse, PlainTextResponse, FileResponse
from fastapi.security import OAuth2PasswordRequestForm
from fastapi_pagination import add_pagination
Expand Down Expand Up @@ -54,6 +56,7 @@
UserUpdate,
UserGroup,
)
import traceback

Check warning on line 59 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

standard import "import traceback" should be placed before "from fastapi import Depends, FastAPI, HTTPException, status, Request, Form, Header, Query, Body"


@asynccontextmanager
Expand Down Expand Up @@ -166,6 +169,19 @@ async def invalid_id_exception_handler(
)


@app.exception_handler(Exception)
async def server_error(request: Request, error: Exception):
"""
Global exception handler for all exceptions
"""
print(f"Internal server error: {error} \n{traceback.format_exc()}")
return JSONResponse(
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
content={"detail": "Internal server error (exception)"},
)



@app.get('/')

Check warning on line 185 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

too many blank lines (3)
async def root():
"""Root endpoint handler"""
Expand Down Expand Up @@ -498,9 +514,55 @@ def _get_eventhistory(evdict):
return evhist


# TBD: Restrict response by Pydantic model
@app.get('/events')
async def get_events(request: Request):
"""Get all the events if no request parameters have passed.
Format: [{event1}, {event2}, ...] or if recursive is set to true,
then we add to each event the node information.
Get all the matching events otherwise.
Query parameters can be used to filter the events:
- limit: Number of events to return
- from: Start timestamp (unix epoch) to filter events
- kind: Event kind to filter events
- state: Event state to filter events
- recursive: Retrieve node together with event
This API endpoint is under development and may change in future.
"""
metrics.add('http_requests_total', 1)
query_params = dict(request.query_params)
recursive = query_params.pop('recursive', None)
limit = query_params.pop('limit', None)
kind = query_params.pop('kind', None)
state = query_params.pop('state', None)
from_ts = query_params.pop('from', None)
if from_ts:
if isinstance(from_ts, str):
from_ts = datetime.fromisoformat(from_ts)
query_params['timestamp'] = {'$gt': from_ts}
if kind:
query_params['data.kind'] = kind
if state:
query_params['data.state'] = state
if limit:
query_params['limit'] = int(limit)
resp = await db.find_by_attributes_nonpaginated(EventHistory, query_params)
resp_list = []
for item in resp:
item['id'] = str(item['_id'])
item.pop('_id')
if recursive:
node = await db.find_by_id(Node, item['data']['id'])
if node:
item['node'] = node
resp_list.append(item)
json_comp = jsonable_encoder(resp_list)
return JSONResponse(content=json_comp)

Check warning on line 561 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

Trailing whitespace

Check warning on line 561 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

blank line contains whitespace


# -----------------------------------------------------------------------------

Check warning on line 564 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

too many blank lines (3)
# Nodes

def _get_node_event_data(operation, node, is_hierarchy=False):

Check warning on line 566 in api/main.py

View workflow job for this annotation

GitHub Actions / Lint

expected 2 blank lines, found 3
return {
'op': operation,
Expand Down

0 comments on commit 4f02580

Please sign in to comment.