Spaces:
Sleeping
Sleeping
File size: 12,992 Bytes
63ed3a7 |
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 |
import logging
import threading
import time
import gradio as gr
import uvicorn
from fastapi import FastAPI
from fastapi.middleware.cors import CORSMiddleware
# Import our existing components
from inference_server.main import app as fastapi_app
from inference_server.main import session_manager
logger = logging.getLogger(__name__)
# Configuration
DEFAULT_PORT = 7860
DEFAULT_ARENA_SERVER_URL = "http://localhost:8000"
# Global server thread
server_thread = None
server_started = False
def start_api_server_thread(port: int = 8001):
"""Start the API server in a background thread."""
global server_thread, server_started
if server_thread and server_thread.is_alive():
return
def run_server():
global server_started
from inference_server.main import app
try:
uvicorn.run(app, host="localhost", port=port, log_level="warning")
except Exception as e:
logger.exception(f"API server error: {e}")
finally:
server_started = False
server_thread = threading.Thread(target=run_server, daemon=True)
server_thread.start()
# Wait a moment for server to start
time.sleep(2)
server_started = True
class SimpleServerManager:
"""Direct access to session manager without HTTP calls."""
def __init__(self):
self.session_manager = session_manager
async def create_and_start_session(
self,
session_id: str,
policy_path: str,
camera_names: str,
arena_server_url: str,
) -> str:
"""Create and start a session directly."""
try:
cameras = [name.strip() for name in camera_names.split(",") if name.strip()]
if not cameras:
cameras = ["front"]
# Create session directly
room_info = await self.session_manager.create_session(
session_id=session_id,
policy_path=policy_path,
camera_names=cameras,
arena_server_url=arena_server_url,
)
# Start the session
await self.session_manager.start_inference(session_id)
# Format camera rooms more clearly
camera_info = []
for camera_name, room_id in room_info["camera_room_ids"].items():
camera_info.append(f" ๐น **{camera_name.title()}**: `{room_id}`")
return f"""## โ
Session Created Successfully!
**Session ID**: `{session_id}`
**Status**: ๐ข **RUNNING** (inference active)
### ๐ก Arena Connection Details:
**Workspace ID**: `{room_info["workspace_id"]}`
**Camera Rooms**:
{chr(10).join(camera_info)}
**Joint Communication**:
๐ฅ **Input**: `{room_info["joint_input_room_id"]}`
๐ค **Output**: `{room_info["joint_output_room_id"]}`
---
## ๐ค Ready for Robot Control!
Your robot can now connect to these rooms to start AI-powered control."""
except Exception as e:
return f"โ Error: {e!s}"
async def control_session(self, session_id: str, action: str) -> str:
"""Control a session directly."""
if not session_id.strip():
return "โ ๏ธ No session ID provided"
try:
# Check current status
if session_id not in self.session_manager.sessions:
return f"โ Session '{session_id}' not found"
session = self.session_manager.sessions[session_id]
current_status = session.status
# Smart action handling
if action == "start" and current_status == "running":
return f"โน๏ธ Session '{session_id}' is already running"
if action == "stop" and current_status in {"stopped", "ready"}:
return f"โน๏ธ Session '{session_id}' is already stopped"
# Perform action
if action == "start":
await self.session_manager.start_inference(session_id)
return f"โ
Inference started for session {session_id}"
if action == "stop":
await self.session_manager.stop_inference(session_id)
return f"โ
Inference stopped for session {session_id}"
if action == "restart":
await self.session_manager.restart_inference(session_id)
return f"โ
Inference restarted for session {session_id}"
return f"โ Unknown action: {action}"
except Exception as e:
return f"โ Error: {e!s}"
async def get_session_status(self, session_id: str) -> str:
"""Get session status directly."""
if not session_id.strip():
return "โ ๏ธ No session ID provided"
try:
if session_id not in self.session_manager.sessions:
return f"โ Session '{session_id}' not found"
session_data = await self.session_manager.get_session_status(session_id)
session = session_data
status_emoji = {
"running": "๐ข",
"ready": "๐ก",
"stopped": "๐ด",
"initializing": "๐ ",
}.get(session["status"], "โช")
# Smart suggestions
suggestions = ""
if session["status"] == "running":
suggestions = "\n\n### ๐ก Smart Suggestion:\n**Session is active!** Use the 'โธ๏ธ Stop' button to pause inference."
elif session["status"] in {"ready", "stopped"}:
suggestions = "\n\n### ๐ก Smart Suggestion:\n**Session is ready!** Use the 'โถ๏ธ Start' button to begin inference."
# Format camera names nicely
camera_list = [f"**{cam.title()}**" for cam in session["camera_names"]]
return f"""## {status_emoji} Session Status
**Session ID**: `{session_id}`
**Status**: {status_emoji} **{session["status"].upper()}**
**Model**: `{session["policy_path"]}`
**Cameras**: {", ".join(camera_list)}
### ๐ Performance Metrics:
| Metric | Value |
|--------|-------|
| ๐ง **Inferences** | {session["stats"]["inference_count"]} |
| ๐ค **Commands Sent** | {session["stats"]["commands_sent"]} |
| ๐ **Queue Length** | {session["stats"]["actions_in_queue"]} actions |
| โ **Errors** | {session["stats"]["errors"]} |
### ๐ง Data Flow:
- ๐น **Images Received**: {session["stats"]["images_received"]}
- ๐ค **Joint States Received**: {session["stats"]["joints_received"]}
{suggestions}"""
except Exception as e:
return f"โ Error: {e!s}"
def create_simple_gradio_interface() -> gr.Blocks:
"""Create a simple Gradio interface with direct session management."""
server_manager = SimpleServerManager()
with gr.Blocks(
title="๐ค Robot AI Control Center",
theme=gr.themes.Soft(),
css=".gradio-container { max-width: 1200px !important; }",
) as demo:
gr.Markdown("""
# ๐ค Robot AI Control Center
**Control your robot with AI using ACT models**
*Integrated mode - FastAPI available at `/api/docs` for direct API access*
""")
# Server status
with gr.Group():
gr.Markdown("## ๐ก API Status")
gr.Markdown(
value="""
โ
**FastAPI Server**: Available at `/api`
๐ **API Documentation**: Available at `/api/docs`
๐ **Health Check**: Available at `/api/health`
""",
show_copy_button=True,
)
# Setup
with gr.Group():
gr.Markdown("## ๐ค Set Up Robot AI")
with gr.Row():
with gr.Column():
session_id_input = gr.Textbox(
label="Session Name", value="my-robot-01"
)
policy_path_input = gr.Textbox(
label="AI Model Path", value="./checkpoints/act_so101_beyond"
)
camera_names_input = gr.Textbox(label="Camera Names", value="front")
arena_server_url_input = gr.Textbox(
label="Arena Server URL",
value=DEFAULT_ARENA_SERVER_URL,
placeholder="http://localhost:8000",
)
create_btn = gr.Button(
"๐ฏ Create & Start AI Control", variant="primary"
)
with gr.Column():
setup_result = gr.Markdown(
value="Ready to create your robot AI session...",
show_copy_button=True,
container=True,
height=300,
)
# Control
with gr.Group():
gr.Markdown("## ๐ฎ Control Session")
with gr.Row():
current_session_input = gr.Textbox(label="Session ID")
start_btn = gr.Button("โถ๏ธ Start", variant="primary")
stop_btn = gr.Button("โธ๏ธ Stop", variant="secondary")
status_btn = gr.Button("๐ Status", variant="secondary")
session_status_display = gr.Markdown(
value="Click '๐ Status' to check session information...",
show_copy_button=True,
container=True,
height=400,
)
# Event handlers
async def create_session(
session_id, policy_path, camera_names, arena_server_url
):
result = await server_manager.create_and_start_session(
session_id, policy_path, camera_names, arena_server_url
)
return result, session_id
async def start_session(session_id):
return await server_manager.control_session(session_id, "start")
async def stop_session(session_id):
return await server_manager.control_session(session_id, "stop")
async def get_status(session_id):
return await server_manager.get_session_status(session_id)
# Connect events
create_btn.click(
create_session,
inputs=[
session_id_input,
policy_path_input,
camera_names_input,
arena_server_url_input,
],
outputs=[setup_result, current_session_input],
)
start_btn.click(
start_session,
inputs=[current_session_input],
outputs=[session_status_display],
)
stop_btn.click(
stop_session,
inputs=[current_session_input],
outputs=[session_status_display],
)
status_btn.click(
get_status, inputs=[current_session_input], outputs=[session_status_display]
)
gr.Markdown("""
### ๐ก Tips:
- ๐ข **RUNNING**: Session actively doing inference
- ๐ก **READY**: Session created but not started
- ๐ด **STOPPED**: Session paused
### ๐ API Access:
- **FastAPI Docs**: Visit `/api/docs` for interactive API documentation
- **Direct API**: Use `/api/sessions` endpoints for programmatic access
- **Health Check**: `/api/health` shows server status
- **OpenAPI Schema**: Available at `/api/openapi.json`
""")
return demo
def create_integrated_app() -> FastAPI:
"""Create integrated FastAPI app with Gradio mounted and API at /api."""
# Create main FastAPI app
main_app = FastAPI(
title="๐ค Robot AI Control Center",
description="Integrated ACT Model Inference Server with Web Interface",
version="1.0.0",
)
# Add CORS middleware
main_app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
# Mount the FastAPI AI server under /api
main_app.mount("/api", fastapi_app)
# Create and mount Gradio interface
gradio_app = create_simple_gradio_interface()
# Mount Gradio as the main interface
main_app = gr.mount_gradio_app(main_app, gradio_app, path="/")
return main_app
def launch_simple_integrated_app(
host: str = "localhost", port: int = DEFAULT_PORT, share: bool = False
):
"""Launch the integrated application with both FastAPI and Gradio."""
print(f"๐ Starting integrated app on {host}:{port}")
print(f"๐จ Gradio UI: http://{host}:{port}/")
print(f"๐ FastAPI Docs: http://{host}:{port}/api/docs")
print(f"๐ Health Check: http://{host}:{port}/api/health")
print("๐ง Direct session management + API access!")
# Create integrated app
app = create_integrated_app()
# Launch with uvicorn
uvicorn.run(
app,
host=host,
port=port,
log_level="info",
)
if __name__ == "__main__":
launch_simple_integrated_app()
|