Spaces:
Running
Running
File size: 6,949 Bytes
ed37502 | 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 | """System API routes — health checks, status, and configuration."""
from __future__ import annotations
import os
from pathlib import Path
from fastapi import APIRouter, HTTPException
from pydantic import BaseModel
from content_engine.models.schemas import SystemStatus
from content_engine.config import IS_HF_SPACES
router = APIRouter(prefix="/api", tags=["system"])
_comfyui_client = None
_catalog = None
_template_engine = None
_character_profiles = None
def init_routes(comfyui_client, catalog, template_engine, character_profiles=None):
"""Initialize route dependencies."""
global _comfyui_client, _catalog, _template_engine, _character_profiles
_comfyui_client = comfyui_client
_catalog = catalog
_template_engine = template_engine
_character_profiles = character_profiles
@router.get("/health")
async def health_check():
"""Basic health check."""
comfyui_ok = False
if _comfyui_client:
comfyui_ok = await _comfyui_client.is_available()
return {"status": "ok", "comfyui": comfyui_ok}
@router.get("/status", response_model=SystemStatus)
async def system_status():
"""Get comprehensive system status."""
comfyui_connected = False
gpu_name = None
vram_total_gb = None
vram_free_gb = None
queue_depth = 0
if _comfyui_client:
comfyui_connected = await _comfyui_client.is_available()
if comfyui_connected:
try:
stats = await _comfyui_client.get_system_stats()
devices = stats.get("devices", [])
if devices:
gpu_name = devices[0].get("name")
vram_total_gb = devices[0].get("vram_total", 0) / (1024**3)
vram_free_gb = devices[0].get("vram_free", 0) / (1024**3)
queue_depth = await _comfyui_client.get_queue_depth()
except Exception:
pass
total_images = 0
if _catalog:
total_images = await _catalog.get_total_count()
return SystemStatus(
comfyui_connected=comfyui_connected,
gpu_name=gpu_name,
vram_total_gb=round(vram_total_gb, 2) if vram_total_gb else None,
vram_free_gb=round(vram_free_gb, 2) if vram_free_gb else None,
local_queue_depth=queue_depth,
cloud_available=False, # Phase 4
total_images=total_images,
pending_jobs=0,
)
@router.get("/templates")
async def list_templates():
"""List all available prompt templates."""
if _template_engine is None:
return []
templates = _template_engine.list_templates()
return [
{
"id": t.id,
"name": t.name,
"category": t.category,
"rating": t.rating,
"variables": {
name: {
"type": vdef.type,
"options": vdef.options,
"required": vdef.required,
}
for name, vdef in t.variables.items()
},
}
for t in templates
]
@router.get("/characters")
async def list_characters():
"""List all configured character profiles."""
if _character_profiles is None:
return []
return [
{
"id": c.id,
"name": c.name,
"trigger_word": c.trigger_word,
"lora_filename": c.lora_filename,
"lora_strength": c.lora_strength,
"description": c.description,
}
for c in _character_profiles.values()
]
@router.get("/models/loras")
async def list_loras():
"""List available LoRA models from ComfyUI."""
if _comfyui_client is None:
return []
try:
return await _comfyui_client.get_models("loras")
except Exception:
return []
@router.get("/models/checkpoints")
async def list_checkpoints():
"""List available checkpoint models from ComfyUI."""
if _comfyui_client is None:
return []
try:
return await _comfyui_client.get_models("checkpoints")
except Exception:
return []
# --- API Settings ---
class APISettingsResponse(BaseModel):
runpod_configured: bool
runpod_key_preview: str | None = None
wavespeed_configured: bool
wavespeed_key_preview: str | None = None
is_cloud: bool
env_file_path: str | None = None
class UpdateAPIKeysRequest(BaseModel):
runpod_api_key: str | None = None
wavespeed_api_key: str | None = None
def _mask_key(key: str | None) -> str | None:
"""Mask API key showing only last 4 chars."""
if not key:
return None
if len(key) <= 8:
return "****"
return f"****{key[-4:]}"
@router.get("/settings/api", response_model=APISettingsResponse)
async def get_api_settings():
"""Get current API settings status (keys are masked)."""
runpod_key = os.environ.get("RUNPOD_API_KEY")
wavespeed_key = os.environ.get("WAVESPEED_API_KEY")
env_file = None
if not IS_HF_SPACES:
env_file = "D:/AI automation/content_engine/.env"
return APISettingsResponse(
runpod_configured=bool(runpod_key),
runpod_key_preview=_mask_key(runpod_key),
wavespeed_configured=bool(wavespeed_key),
wavespeed_key_preview=_mask_key(wavespeed_key),
is_cloud=IS_HF_SPACES,
env_file_path=env_file,
)
@router.post("/settings/api")
async def update_api_settings(request: UpdateAPIKeysRequest):
"""Update API keys. Only works in local mode (not HF Spaces).
On HF Spaces, use the Settings > Secrets panel instead.
"""
if IS_HF_SPACES:
raise HTTPException(
400,
"Cannot update API keys on Hugging Face Spaces. "
"Use Settings > Variables and secrets in your Space dashboard."
)
env_path = Path("D:/AI automation/content_engine/.env")
# Read existing .env
existing = {}
if env_path.exists():
with open(env_path) as f:
for line in f:
line = line.strip()
if line and not line.startswith("#") and "=" in line:
key, val = line.split("=", 1)
existing[key.strip()] = val.strip()
# Update keys
updated = []
if request.runpod_api_key is not None:
existing["RUNPOD_API_KEY"] = request.runpod_api_key
os.environ["RUNPOD_API_KEY"] = request.runpod_api_key
updated.append("RUNPOD_API_KEY")
if request.wavespeed_api_key is not None:
existing["WAVESPEED_API_KEY"] = request.wavespeed_api_key
os.environ["WAVESPEED_API_KEY"] = request.wavespeed_api_key
updated.append("WAVESPEED_API_KEY")
# Write back
with open(env_path, "w") as f:
for key, val in existing.items():
f.write(f"{key}={val}\n")
return {
"status": "updated",
"updated_keys": updated,
"message": "API keys updated. Restart the server to fully apply changes."
}
|