mirror of
https://github.com/bunny-lab-io/Borealis.git
synced 2026-02-07 03:30:30 -07:00
Removed RDP in favor of VNC / Made WireGuard Tunnel Persistent
This commit is contained in:
193
Data/Engine/services/API/devices/shell.py
Normal file
193
Data/Engine/services/API/devices/shell.py
Normal file
@@ -0,0 +1,193 @@
|
||||
# ======================================================
|
||||
# Data\Engine\services\API\devices\shell.py
|
||||
# Description: Remote PowerShell session endpoints for persistent WireGuard tunnels.
|
||||
#
|
||||
# API Endpoints (if applicable):
|
||||
# - POST /api/shell/establish (Token Authenticated) - Ensure shell readiness over WireGuard.
|
||||
# - POST /api/shell/disconnect (Token Authenticated) - Disconnect the operator shell session.
|
||||
# ======================================================
|
||||
|
||||
"""Remote PowerShell session endpoints for the Borealis Engine."""
|
||||
from __future__ import annotations
|
||||
|
||||
import os
|
||||
from typing import Any, Dict, Optional, Tuple
|
||||
from urllib.parse import urlsplit
|
||||
|
||||
from flask import Blueprint, jsonify, request, session
|
||||
from itsdangerous import BadSignature, SignatureExpired, URLSafeTimedSerializer
|
||||
|
||||
from .tunnel import _get_tunnel_service
|
||||
|
||||
if False: # pragma: no cover - hint for type checkers
|
||||
from .. import EngineServiceAdapters
|
||||
|
||||
|
||||
def _current_user(app) -> Optional[Dict[str, str]]:
|
||||
username = session.get("username")
|
||||
role = session.get("role") or "User"
|
||||
if username:
|
||||
return {"username": username, "role": role}
|
||||
|
||||
token = None
|
||||
auth_header = request.headers.get("Authorization") or ""
|
||||
if auth_header.lower().startswith("bearer "):
|
||||
token = auth_header.split(" ", 1)[1].strip()
|
||||
if not token:
|
||||
token = request.cookies.get("borealis_auth")
|
||||
if not token:
|
||||
return None
|
||||
|
||||
try:
|
||||
serializer = URLSafeTimedSerializer(app.secret_key or "borealis-dev-secret", salt="borealis-auth")
|
||||
token_ttl = int(os.environ.get("BOREALIS_TOKEN_TTL_SECONDS", 60 * 60 * 24 * 30))
|
||||
data = serializer.loads(token, max_age=token_ttl)
|
||||
username = data.get("u")
|
||||
role = data.get("r") or "User"
|
||||
if username:
|
||||
return {"username": username, "role": role}
|
||||
except (BadSignature, SignatureExpired, Exception):
|
||||
return None
|
||||
return None
|
||||
|
||||
|
||||
def _require_login(app) -> Optional[Tuple[Dict[str, Any], int]]:
|
||||
user = _current_user(app)
|
||||
if not user:
|
||||
return {"error": "unauthorized"}, 401
|
||||
return None
|
||||
|
||||
|
||||
def _normalize_text(value: Any) -> str:
|
||||
if value is None:
|
||||
return ""
|
||||
try:
|
||||
return str(value).strip()
|
||||
except Exception:
|
||||
return ""
|
||||
|
||||
|
||||
def _infer_endpoint_host(req) -> str:
|
||||
forwarded = (req.headers.get("X-Forwarded-Host") or req.headers.get("X-Original-Host") or "").strip()
|
||||
host = forwarded.split(",")[0].strip() if forwarded else (req.host or "").strip()
|
||||
if not host:
|
||||
return ""
|
||||
try:
|
||||
parsed = urlsplit(f"//{host}")
|
||||
if parsed.hostname:
|
||||
return parsed.hostname
|
||||
except Exception:
|
||||
return host
|
||||
return host
|
||||
|
||||
|
||||
def register_shell(app, adapters: "EngineServiceAdapters") -> None:
|
||||
blueprint = Blueprint("vpn_shell", __name__)
|
||||
logger = adapters.context.logger.getChild("vpn_shell.api")
|
||||
service_log = adapters.service_log
|
||||
|
||||
def _service_log_event(message: str, *, level: str = "INFO") -> None:
|
||||
if not callable(service_log):
|
||||
return
|
||||
try:
|
||||
service_log("VPN_Tunnel/remote_shell", message, level=level)
|
||||
except Exception:
|
||||
logger.debug("vpn_shell service log write failed", exc_info=True)
|
||||
|
||||
def _request_remote() -> str:
|
||||
forwarded = (request.headers.get("X-Forwarded-For") or "").strip()
|
||||
if forwarded:
|
||||
return forwarded.split(",")[0].strip()
|
||||
return (request.remote_addr or "").strip()
|
||||
|
||||
@blueprint.route("/api/shell/establish", methods=["POST"])
|
||||
def shell_establish():
|
||||
requirement = _require_login(app)
|
||||
if requirement:
|
||||
payload, status = requirement
|
||||
return jsonify(payload), status
|
||||
|
||||
user = _current_user(app) or {}
|
||||
operator_id = user.get("username") or None
|
||||
|
||||
body = request.get_json(silent=True) or {}
|
||||
agent_id = _normalize_text(body.get("agent_id"))
|
||||
if not agent_id:
|
||||
return jsonify({"error": "agent_id_required"}), 400
|
||||
|
||||
try:
|
||||
tunnel_service = _get_tunnel_service(adapters)
|
||||
endpoint_host = _infer_endpoint_host(request)
|
||||
_service_log_event(
|
||||
"vpn_shell_establish_request agent_id={0} operator={1} endpoint_host={2} remote={3}".format(
|
||||
agent_id,
|
||||
operator_id or "-",
|
||||
endpoint_host or "-",
|
||||
_request_remote() or "-",
|
||||
)
|
||||
)
|
||||
payload = tunnel_service.connect(
|
||||
agent_id=agent_id,
|
||||
operator_id=operator_id,
|
||||
endpoint_host=endpoint_host,
|
||||
)
|
||||
except Exception as exc:
|
||||
_service_log_event(
|
||||
"vpn_shell_establish_failed agent_id={0} operator={1} error={2}".format(
|
||||
agent_id,
|
||||
operator_id or "-",
|
||||
str(exc),
|
||||
),
|
||||
level="ERROR",
|
||||
)
|
||||
return jsonify({"error": "establish_failed", "detail": str(exc)}), 500
|
||||
|
||||
agent_socket = False
|
||||
registry = getattr(adapters.context, "agent_socket_registry", None)
|
||||
if registry and hasattr(registry, "is_registered"):
|
||||
try:
|
||||
agent_socket = bool(registry.is_registered(agent_id))
|
||||
except Exception:
|
||||
agent_socket = False
|
||||
|
||||
response = dict(payload)
|
||||
response["status"] = "ok"
|
||||
response["agent_socket"] = agent_socket
|
||||
_service_log_event(
|
||||
"vpn_shell_establish_response agent_id={0} tunnel_id={1} agent_socket={2}".format(
|
||||
agent_id,
|
||||
response.get("tunnel_id", "-"),
|
||||
str(agent_socket).lower(),
|
||||
)
|
||||
)
|
||||
return jsonify(response), 200
|
||||
|
||||
@blueprint.route("/api/shell/disconnect", methods=["POST"])
|
||||
def shell_disconnect():
|
||||
requirement = _require_login(app)
|
||||
if requirement:
|
||||
payload, status = requirement
|
||||
return jsonify(payload), status
|
||||
|
||||
body = request.get_json(silent=True) or {}
|
||||
agent_id = _normalize_text(body.get("agent_id"))
|
||||
reason = _normalize_text(body.get("reason") or "operator_disconnect")
|
||||
operator_id = (_current_user(app) or {}).get("username") or None
|
||||
|
||||
if not agent_id:
|
||||
return jsonify({"error": "agent_id_required"}), 400
|
||||
|
||||
_service_log_event(
|
||||
"vpn_shell_disconnect_request agent_id={0} operator={1} reason={2} remote={3}".format(
|
||||
agent_id,
|
||||
operator_id or "-",
|
||||
reason or "-",
|
||||
_request_remote() or "-",
|
||||
)
|
||||
)
|
||||
return jsonify({"status": "disconnected", "reason": reason}), 200
|
||||
|
||||
app.register_blueprint(blueprint)
|
||||
|
||||
|
||||
__all__ = ["register_shell"]
|
||||
Reference in New Issue
Block a user