Spaces:
Sleeping
Sleeping
File size: 25,424 Bytes
a28b86d | 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 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 | """The main API layer for the Trackio UI."""
import base64
import logging
import os
import re
import secrets
import shutil
import sqlite3
import threading
import time
from collections import deque
from functools import lru_cache
from typing import Any
from urllib.parse import urlencode
import gradio as gr
import httpx
import huggingface_hub as hf
from starlette.requests import Request
from starlette.responses import RedirectResponse
import trackio.utils as utils
from trackio.media import get_project_media_path
from trackio.sqlite_storage import SQLiteStorage
from trackio.typehints import AlertEntry, LogEntry, SystemLogEntry, UploadEntry
HfApi = hf.HfApi()
logger = logging.getLogger("trackio")
_write_queue: deque[tuple[str, Any]] = deque()
_flush_thread: threading.Thread | None = None
_flush_lock = threading.Lock()
_FLUSH_INTERVAL = 2.0
_MAX_RETRIES = 30
def _enqueue_write(kind: str, payload: Any) -> None:
_write_queue.append((kind, payload))
_ensure_flush_thread()
def _ensure_flush_thread() -> None:
global _flush_thread
with _flush_lock:
if _flush_thread is not None and _flush_thread.is_alive():
return
_flush_thread = threading.Thread(target=_flush_loop, daemon=True)
_flush_thread.start()
def _flush_loop() -> None:
retries = 0
while _write_queue and retries < _MAX_RETRIES:
kind, payload = _write_queue[0]
try:
if kind == "bulk_log":
SQLiteStorage.bulk_log(**payload)
elif kind == "bulk_log_system":
SQLiteStorage.bulk_log_system(**payload)
elif kind == "bulk_alert":
SQLiteStorage.bulk_alert(**payload)
_write_queue.popleft()
retries = 0
except sqlite3.OperationalError as e:
msg = str(e).lower()
if "disk i/o error" in msg or "readonly" in msg:
retries += 1
logger.warning(
"write queue: flush failed (%s), retry %d/%d",
e,
retries,
_MAX_RETRIES,
)
time.sleep(min(_FLUSH_INTERVAL * retries, 15.0))
else:
logger.error("write queue: non-retryable error (%s), dropping entry", e)
_write_queue.popleft()
retries = 0
if _write_queue:
logger.error(
"write queue: giving up after %d retries, %d entries dropped",
_MAX_RETRIES,
len(_write_queue),
)
_write_queue.clear()
write_token = secrets.token_urlsafe(32)
OAUTH_CALLBACK_PATH = "/login/callback"
OAUTH_START_PATH = "/oauth/hf/start"
def _hf_access_token(request: gr.Request) -> str | None:
session_id = None
try:
session_id = request.headers.get("x-trackio-oauth-session")
except (AttributeError, TypeError):
pass
if session_id and session_id in _oauth_sessions:
token, created = _oauth_sessions[session_id]
if time.monotonic() - created <= _OAUTH_SESSION_TTL:
return token
del _oauth_sessions[session_id]
cookie_header = ""
try:
cookie_header = request.headers.get("cookie", "")
except (AttributeError, TypeError):
pass
if cookie_header:
for cookie in cookie_header.split(";"):
parts = cookie.strip().split("=", 1)
if len(parts) == 2 and parts[0] == "trackio_hf_access_token":
return parts[1] or None
return None
def _oauth_redirect_uri(request: Request) -> str:
space_host = os.getenv("SPACE_HOST")
if space_host:
space_host = space_host.split(",")[0]
return f"https://{space_host}{OAUTH_CALLBACK_PATH}"
return str(request.base_url).rstrip("/") + OAUTH_CALLBACK_PATH
class TrackioServer(gr.Server):
def close(self, verbose: bool = True) -> None:
if self.blocks is None:
return
if self.blocks.is_running:
self.blocks.close(verbose=verbose)
_OAUTH_STATE_TTL = 86400
_OAUTH_SESSION_TTL = 86400 * 30
_pending_oauth_states: dict[str, float] = {}
_oauth_sessions: dict[str, tuple[str, float]] = {}
def _evict_expired_oauth():
now = time.monotonic()
expired_states = [
k for k, t in _pending_oauth_states.items() if now - t > _OAUTH_STATE_TTL
]
for k in expired_states:
del _pending_oauth_states[k]
expired_sessions = [
k for k, (_, t) in _oauth_sessions.items() if now - t > _OAUTH_SESSION_TTL
]
for k in expired_sessions:
del _oauth_sessions[k]
def oauth_hf_start(request: Request):
client_id = os.getenv("OAUTH_CLIENT_ID")
if not client_id:
return RedirectResponse(url="/", status_code=302)
_evict_expired_oauth()
state = secrets.token_urlsafe(32)
_pending_oauth_states[state] = time.monotonic()
redirect_uri = _oauth_redirect_uri(request)
scope = os.getenv("OAUTH_SCOPES", "openid profile").strip()
url = "https://huggingface.co/oauth/authorize?" + urlencode(
{
"client_id": client_id,
"redirect_uri": redirect_uri,
"response_type": "code",
"scope": scope,
"state": state,
}
)
return RedirectResponse(url=url, status_code=302)
def oauth_hf_callback(request: Request):
client_id = os.getenv("OAUTH_CLIENT_ID")
client_secret = os.getenv("OAUTH_CLIENT_SECRET")
err = "/?oauth_error=1"
if not client_id or not client_secret:
return RedirectResponse(url=err, status_code=302)
got_state = request.query_params.get("state")
code = request.query_params.get("code")
if not got_state or got_state not in _pending_oauth_states or not code:
return RedirectResponse(url=err, status_code=302)
state_created = _pending_oauth_states.pop(got_state)
if time.monotonic() - state_created > _OAUTH_STATE_TTL:
return RedirectResponse(url=err, status_code=302)
redirect_uri = _oauth_redirect_uri(request)
auth_b64 = base64.b64encode(f"{client_id}:{client_secret}".encode()).decode()
try:
with httpx.Client() as client:
token_resp = client.post(
"https://huggingface.co/oauth/token",
headers={"Authorization": f"Basic {auth_b64}"},
data={
"grant_type": "authorization_code",
"code": code,
"redirect_uri": redirect_uri,
"client_id": client_id,
},
)
token_resp.raise_for_status()
access_token = token_resp.json()["access_token"]
except Exception:
return RedirectResponse(url=err, status_code=302)
session_id = secrets.token_urlsafe(32)
_oauth_sessions[session_id] = (access_token, time.monotonic())
on_spaces = os.getenv("SYSTEM") == "spaces"
resp = RedirectResponse(url=f"/?oauth_session={session_id}", status_code=302)
resp.set_cookie(
key="trackio_hf_access_token",
value=access_token,
httponly=True,
samesite="none" if on_spaces else "lax",
max_age=86400 * 30,
path="/",
secure=on_spaces,
)
return resp
def oauth_logout(request: Request):
on_spaces = os.getenv("SYSTEM") == "spaces"
resp = RedirectResponse(url="/", status_code=302)
resp.delete_cookie(
"trackio_hf_access_token",
path="/",
samesite="none" if on_spaces else "lax",
secure=on_spaces,
)
return resp
@lru_cache(maxsize=32)
def check_hf_token_has_write_access(hf_token: str | None) -> None:
"""
Checks if the provided hf_token has write access to the space. If it does not
have write access, a PermissionError is raised. Otherwise, the function returns None.
The function is cached in two separate caches to avoid unnecessary API calls to /whoami-v2 which is heavily rate-limited:
- A cache of the whoami response for the hf_token using .whoami(token=hf_token, cache=True).
- This entire function is cached using @lru_cache(maxsize=32).
"""
if os.getenv("SYSTEM") == "spaces":
if hf_token is None:
raise PermissionError(
"Expected a HF_TOKEN to be provided when logging to a Space"
)
space_token = os.getenv("HF_TOKEN")
if space_token and hf_token == space_token:
# If the HF_TOKEN is the same as the space token, we can assume that the user has write access.
# This avoids unnecessary API calls to /whoami-v2 which is heavily rate-limited.
return
who = HfApi.whoami(token=hf_token, cache=True)
owner_name = os.getenv("SPACE_AUTHOR_NAME")
repo_name = os.getenv("SPACE_REPO_NAME")
orgs = [o["name"] for o in who["orgs"]]
if owner_name != who["name"] and owner_name not in orgs:
raise PermissionError(
"Expected the provided hf_token to be the user owner of the space, or be a member of the org owner of the space"
)
access_token = who["auth"]["accessToken"]
if access_token["role"] == "fineGrained":
matched = False
for item in access_token["fineGrained"]["scoped"]:
if (
item["entity"]["type"] == "space"
and item["entity"]["name"] == f"{owner_name}/{repo_name}"
and "repo.write" in item["permissions"]
):
matched = True
break
if (
(
item["entity"]["type"] == "user"
or item["entity"]["type"] == "org"
)
and item["entity"]["name"] == owner_name
and "repo.write" in item["permissions"]
):
matched = True
break
if not matched:
raise PermissionError(
"Expected the provided hf_token with fine grained permissions to provide write access to the space"
)
elif access_token["role"] != "write":
raise PermissionError(
"Expected the provided hf_token to provide write permissions"
)
_oauth_write_cache: dict[str, tuple[bool, float]] = {}
_OAUTH_WRITE_CACHE_TTL = 300
def check_oauth_token_has_write_access(oauth_token: str | None) -> None:
if not os.getenv("SYSTEM") == "spaces":
return
if oauth_token is None:
raise PermissionError(
"Expected an oauth to be provided when logging to a Space"
)
now = time.monotonic()
cached = _oauth_write_cache.get(oauth_token)
if cached is not None:
allowed, ts = cached
if now - ts < _OAUTH_WRITE_CACHE_TTL:
if not allowed:
raise PermissionError(
"Expected the oauth token to be the user owner of the space, or be a member of the org owner of the space"
)
return
who = HfApi.whoami(oauth_token, cache=True)
user_name = who["name"]
owner_name = os.getenv("SPACE_AUTHOR_NAME")
if user_name == owner_name:
_oauth_write_cache[oauth_token] = (True, now)
return
for org in who["orgs"]:
if org["name"] == owner_name and org["roleInOrg"] == "write":
_oauth_write_cache[oauth_token] = (True, now)
return
_oauth_write_cache[oauth_token] = (False, now)
raise PermissionError(
"Expected the oauth token to be the user owner of the space, or be a member of the org owner of the space"
)
def check_write_access(request: gr.Request, token: str) -> bool:
cookies = request.headers.get("cookie", "")
if cookies:
for cookie in cookies.split(";"):
parts = cookie.strip().split("=", 1)
if len(parts) == 2 and parts[0] == "trackio_write_token":
return parts[1] == token
if hasattr(request, "query_params") and request.query_params:
qp = request.query_params.get("write_token")
return qp == token
return False
def assert_can_mutate_runs(request: gr.Request) -> None:
if os.getenv("SYSTEM") != "spaces":
if check_write_access(request, write_token):
return
raise gr.Error(
"A write_token is required to delete or rename runs. "
"Open the dashboard using the link that includes the write_token query parameter."
)
hf_tok = _hf_access_token(request)
if hf_tok is not None:
try:
check_oauth_token_has_write_access(hf_tok)
except PermissionError as e:
raise gr.Error(str(e)) from e
return
if check_write_access(request, write_token):
return
raise gr.Error(
"Sign in with Hugging Face to delete or rename runs. You need write access to this Space, "
"or open the dashboard using a link that includes the write_token query parameter."
)
def get_run_mutation_status(request: gr.Request) -> dict[str, Any]:
if os.getenv("SYSTEM") != "spaces":
if check_write_access(request, write_token):
return {"spaces": False, "allowed": True, "auth": "local"}
return {"spaces": False, "allowed": False, "auth": "none"}
hf_tok = _hf_access_token(request)
if hf_tok is not None:
try:
check_oauth_token_has_write_access(hf_tok)
return {"spaces": True, "allowed": True, "auth": "oauth"}
except PermissionError:
return {"spaces": True, "allowed": False, "auth": "oauth_insufficient"}
if check_write_access(request, write_token):
return {"spaces": True, "allowed": True, "auth": "write_token"}
return {"spaces": True, "allowed": False, "auth": "none"}
def upload_db_to_space(
project: str, uploaded_db: gr.FileData, hf_token: str | None
) -> None:
check_hf_token_has_write_access(hf_token)
db_project_path = SQLiteStorage.get_project_db_path(project)
os.makedirs(os.path.dirname(db_project_path), exist_ok=True)
shutil.copy(uploaded_db["path"], db_project_path)
def bulk_upload_media(uploads: list[UploadEntry], hf_token: str | None) -> None:
check_hf_token_has_write_access(hf_token)
for upload in uploads:
media_path = get_project_media_path(
project=upload["project"],
run=upload["run"],
step=upload["step"],
relative_path=upload["relative_path"],
)
shutil.copy(upload["uploaded_file"]["path"], media_path)
def log(
project: str,
run: str,
metrics: dict[str, Any],
step: int | None,
hf_token: str | None,
) -> None:
check_hf_token_has_write_access(hf_token)
SQLiteStorage.log(project=project, run=run, metrics=metrics, step=step)
def bulk_log(
logs: list[LogEntry],
hf_token: str | None,
) -> None:
check_hf_token_has_write_access(hf_token)
logs_by_run = {}
for log_entry in logs:
key = (log_entry["project"], log_entry["run"])
if key not in logs_by_run:
logs_by_run[key] = {
"metrics": [],
"steps": [],
"log_ids": [],
"config": None,
}
logs_by_run[key]["metrics"].append(log_entry["metrics"])
logs_by_run[key]["steps"].append(log_entry.get("step"))
logs_by_run[key]["log_ids"].append(log_entry.get("log_id"))
if log_entry.get("config") and logs_by_run[key]["config"] is None:
logs_by_run[key]["config"] = log_entry["config"]
for (project, run), data in logs_by_run.items():
has_log_ids = any(lid is not None for lid in data["log_ids"])
payload = dict(
project=project,
run=run,
metrics_list=data["metrics"],
steps=data["steps"],
config=data["config"],
log_ids=data["log_ids"] if has_log_ids else None,
)
try:
SQLiteStorage.bulk_log(**payload)
except sqlite3.OperationalError:
_enqueue_write("bulk_log", payload)
def bulk_log_system(
logs: list[SystemLogEntry],
hf_token: str | None,
) -> None:
check_hf_token_has_write_access(hf_token)
logs_by_run = {}
for log_entry in logs:
key = (log_entry["project"], log_entry["run"])
if key not in logs_by_run:
logs_by_run[key] = {"metrics": [], "timestamps": [], "log_ids": []}
logs_by_run[key]["metrics"].append(log_entry["metrics"])
logs_by_run[key]["timestamps"].append(log_entry.get("timestamp"))
logs_by_run[key]["log_ids"].append(log_entry.get("log_id"))
for (project, run), data in logs_by_run.items():
has_log_ids = any(lid is not None for lid in data["log_ids"])
payload = dict(
project=project,
run=run,
metrics_list=data["metrics"],
timestamps=data["timestamps"],
log_ids=data["log_ids"] if has_log_ids else None,
)
try:
SQLiteStorage.bulk_log_system(**payload)
except sqlite3.OperationalError:
_enqueue_write("bulk_log_system", payload)
def bulk_alert(
alerts: list[AlertEntry],
hf_token: str | None,
) -> None:
check_hf_token_has_write_access(hf_token)
alerts_by_run: dict[tuple, dict] = {}
for entry in alerts:
key = (entry["project"], entry["run"])
if key not in alerts_by_run:
alerts_by_run[key] = {
"titles": [],
"texts": [],
"levels": [],
"steps": [],
"timestamps": [],
"alert_ids": [],
}
alerts_by_run[key]["titles"].append(entry["title"])
alerts_by_run[key]["texts"].append(entry.get("text"))
alerts_by_run[key]["levels"].append(entry["level"])
alerts_by_run[key]["steps"].append(entry.get("step"))
alerts_by_run[key]["timestamps"].append(entry.get("timestamp"))
alerts_by_run[key]["alert_ids"].append(entry.get("alert_id"))
for (project, run), data in alerts_by_run.items():
has_alert_ids = any(aid is not None for aid in data["alert_ids"])
payload = dict(
project=project,
run=run,
titles=data["titles"],
texts=data["texts"],
levels=data["levels"],
steps=data["steps"],
timestamps=data["timestamps"],
alert_ids=data["alert_ids"] if has_alert_ids else None,
)
try:
SQLiteStorage.bulk_alert(**payload)
except sqlite3.OperationalError:
_enqueue_write("bulk_alert", payload)
def get_alerts(
project: str,
run: str | None = None,
level: str | None = None,
since: str | None = None,
) -> list[dict]:
return SQLiteStorage.get_alerts(project, run_name=run, level=level, since=since)
def get_metric_values(
project: str,
run: str,
metric_name: str,
step: int | None = None,
around_step: int | None = None,
at_time: str | None = None,
window: int | None = None,
) -> list[dict]:
return SQLiteStorage.get_metric_values(
project,
run,
metric_name,
step=step,
around_step=around_step,
at_time=at_time,
window=window,
)
def get_runs_for_project(project: str) -> list[str]:
return SQLiteStorage.get_runs(project)
def get_metrics_for_run(project: str, run: str) -> list[str]:
return SQLiteStorage.get_all_metrics_for_run(project, run)
def filter_metrics_by_regex(metrics: list[str], filter_pattern: str) -> list[str]:
if not filter_pattern.strip():
return metrics
try:
pattern = re.compile(filter_pattern, re.IGNORECASE)
return [metric for metric in metrics if pattern.search(metric)]
except re.error:
return [
metric for metric in metrics if filter_pattern.lower() in metric.lower()
]
def get_all_projects() -> list[str]:
return SQLiteStorage.get_projects()
def get_project_summary(project: str) -> dict:
runs = SQLiteStorage.get_runs(project)
if not runs:
return {"project": project, "num_runs": 0, "runs": [], "last_activity": None}
last_steps = SQLiteStorage.get_max_steps_for_runs(project)
return {
"project": project,
"num_runs": len(runs),
"runs": runs,
"last_activity": max(last_steps.values()) if last_steps else None,
}
def get_run_summary(project: str, run: str) -> dict:
num_logs = SQLiteStorage.get_log_count(project, run)
if num_logs == 0:
return {
"project": project,
"run": run,
"num_logs": 0,
"metrics": [],
"config": None,
"last_step": None,
}
metrics = SQLiteStorage.get_all_metrics_for_run(project, run)
config = SQLiteStorage.get_run_config(project, run)
last_step = SQLiteStorage.get_last_step(project, run)
return {
"project": project,
"run": run,
"num_logs": num_logs,
"metrics": metrics,
"config": config,
"last_step": last_step,
}
def get_system_metrics_for_run(project: str, run: str) -> list[str]:
return SQLiteStorage.get_all_system_metrics_for_run(project, run)
def get_system_logs(project: str, run: str) -> list[dict]:
return SQLiteStorage.get_system_logs(project, run)
def get_snapshot(
project: str,
run: str,
step: int | None = None,
around_step: int | None = None,
at_time: str | None = None,
window: int | None = None,
) -> dict:
return SQLiteStorage.get_snapshot(
project, run, step=step, around_step=around_step, at_time=at_time, window=window
)
def get_logs(project: str, run: str) -> list[dict]:
return SQLiteStorage.get_logs(project, run, max_points=1500)
def get_settings() -> dict:
return {
"logo_urls": utils.get_logo_urls(),
"color_palette": utils.get_color_palette(),
"plot_order": [
item.strip()
for item in os.environ.get("TRACKIO_PLOT_ORDER", "").split(",")
if item.strip()
],
"table_truncate_length": int(
os.environ.get("TRACKIO_TABLE_TRUNCATE_LENGTH", "250")
),
"media_dir": str(utils.MEDIA_DIR),
}
def get_project_files(project: str) -> list[dict]:
files_dir = utils.MEDIA_DIR / project / "files"
if not files_dir.exists():
return []
results = []
for file_path in sorted(files_dir.rglob("*")):
if file_path.is_file():
relative = file_path.relative_to(files_dir)
results.append(
{
"name": str(relative),
"path": str(file_path),
"size": file_path.stat().st_size,
}
)
return results
def delete_run(request: gr.Request, project: str, run: str) -> bool:
assert_can_mutate_runs(request)
return SQLiteStorage.delete_run(project, run)
def rename_run(
request: gr.Request,
project: str,
old_name: str,
new_name: str,
) -> bool:
assert_can_mutate_runs(request)
SQLiteStorage.rename_run(project, old_name, new_name)
return True
def force_sync() -> bool:
if os.environ.get("TRACKIO_BUCKET_ID"):
return True
SQLiteStorage._dataset_import_attempted = True
SQLiteStorage.export_to_parquet()
scheduler = SQLiteStorage.get_scheduler()
scheduler.trigger().result()
return True
CSS = ""
HEAD = ""
gr.set_static_paths(paths=[utils.MEDIA_DIR])
def make_trackio_server() -> TrackioServer:
server = TrackioServer(title="Trackio Dashboard")
server.add_api_route(OAUTH_START_PATH, oauth_hf_start, methods=["GET"])
server.add_api_route(OAUTH_CALLBACK_PATH, oauth_hf_callback, methods=["GET"])
server.add_api_route("/oauth/logout", oauth_logout, methods=["GET"])
server.api(fn=get_run_mutation_status, name="get_run_mutation_status")
server.api(fn=upload_db_to_space, name="upload_db_to_space")
server.api(fn=bulk_upload_media, name="bulk_upload_media")
server.api(fn=log, name="log")
server.api(fn=bulk_log, name="bulk_log")
server.api(fn=bulk_log_system, name="bulk_log_system")
server.api(fn=bulk_alert, name="bulk_alert")
server.api(fn=get_alerts, name="get_alerts")
server.api(fn=get_metric_values, name="get_metric_values")
server.api(fn=get_runs_for_project, name="get_runs_for_project")
server.api(fn=get_metrics_for_run, name="get_metrics_for_run")
server.api(fn=get_all_projects, name="get_all_projects")
server.api(fn=get_project_summary, name="get_project_summary")
server.api(fn=get_run_summary, name="get_run_summary")
server.api(fn=get_system_metrics_for_run, name="get_system_metrics_for_run")
server.api(fn=get_system_logs, name="get_system_logs")
server.api(fn=get_snapshot, name="get_snapshot")
server.api(fn=get_logs, name="get_logs")
server.api(fn=get_settings, name="get_settings")
server.api(fn=get_project_files, name="get_project_files")
server.api(fn=delete_run, name="delete_run")
server.api(fn=rename_run, name="rename_run")
server.api(fn=force_sync, name="force_sync")
server.write_token = write_token
return server
|