mirror of
https://github.com/blakeblackshear/frigate.git
synced 2026-04-19 23:08:08 +02:00
216 lines
6.7 KiB
Python
216 lines
6.7 KiB
Python
"""Websocket communicator."""
|
|
|
|
import errno
|
|
import json
|
|
import logging
|
|
import threading
|
|
from typing import Any, Callable
|
|
from wsgiref.simple_server import make_server
|
|
|
|
from ws4py.server.wsgirefserver import (
|
|
WebSocketWSGIHandler,
|
|
WebSocketWSGIRequestHandler,
|
|
WSGIServer,
|
|
)
|
|
from ws4py.server.wsgiutils import WebSocketWSGIApplication
|
|
from ws4py.websocket import WebSocket as WebSocket_
|
|
|
|
from frigate.comms.base_communicator import Communicator
|
|
from frigate.config import FrigateConfig
|
|
from frigate.const import (
|
|
CLEAR_ONGOING_REVIEW_SEGMENTS,
|
|
EXPIRE_AUDIO_ACTIVITY,
|
|
INSERT_MANY_RECORDINGS,
|
|
INSERT_PREVIEW,
|
|
NOTIFICATION_TEST,
|
|
REQUEST_REGION_GRID,
|
|
UPDATE_AUDIO_ACTIVITY,
|
|
UPDATE_AUDIO_TRANSCRIPTION_STATE,
|
|
UPDATE_BIRDSEYE_LAYOUT,
|
|
UPDATE_CAMERA_ACTIVITY,
|
|
UPDATE_EMBEDDINGS_REINDEX_PROGRESS,
|
|
UPDATE_EVENT_DESCRIPTION,
|
|
UPDATE_MODEL_STATE,
|
|
UPDATE_REVIEW_DESCRIPTION,
|
|
UPSERT_REVIEW_SEGMENT,
|
|
)
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
# Internal IPC topics — NEVER allowed from WebSocket, regardless of role
|
|
_WS_BLOCKED_TOPICS = frozenset(
|
|
{
|
|
INSERT_MANY_RECORDINGS,
|
|
INSERT_PREVIEW,
|
|
REQUEST_REGION_GRID,
|
|
UPSERT_REVIEW_SEGMENT,
|
|
CLEAR_ONGOING_REVIEW_SEGMENTS,
|
|
UPDATE_CAMERA_ACTIVITY,
|
|
UPDATE_AUDIO_ACTIVITY,
|
|
EXPIRE_AUDIO_ACTIVITY,
|
|
UPDATE_EVENT_DESCRIPTION,
|
|
UPDATE_REVIEW_DESCRIPTION,
|
|
UPDATE_MODEL_STATE,
|
|
UPDATE_EMBEDDINGS_REINDEX_PROGRESS,
|
|
UPDATE_BIRDSEYE_LAYOUT,
|
|
UPDATE_AUDIO_TRANSCRIPTION_STATE,
|
|
NOTIFICATION_TEST,
|
|
}
|
|
)
|
|
|
|
# Read-only topics any authenticated user (including viewer) can send
|
|
_WS_VIEWER_TOPICS = frozenset(
|
|
{
|
|
"onConnect",
|
|
"modelState",
|
|
"audioTranscriptionState",
|
|
"birdseyeLayout",
|
|
"embeddingsReindexProgress",
|
|
}
|
|
)
|
|
|
|
|
|
def _check_ws_authorization(
|
|
topic: str,
|
|
role_header: str | None,
|
|
separator: str,
|
|
) -> bool:
|
|
"""Check if a WebSocket message is authorized.
|
|
|
|
Args:
|
|
topic: The message topic.
|
|
role_header: The HTTP_REMOTE_ROLE header value, or None.
|
|
separator: The role separator character from proxy config.
|
|
|
|
Returns:
|
|
True if authorized, False if blocked.
|
|
"""
|
|
# Block IPC-only topics unconditionally
|
|
if topic in _WS_BLOCKED_TOPICS:
|
|
return False
|
|
|
|
# No role header: default to viewer (fail-closed)
|
|
if role_header is None:
|
|
return topic in _WS_VIEWER_TOPICS
|
|
|
|
# Check if any role is admin
|
|
roles = [r.strip() for r in role_header.split(separator)]
|
|
if "admin" in roles:
|
|
return True
|
|
|
|
# Non-admin: only viewer topics allowed
|
|
return topic in _WS_VIEWER_TOPICS
|
|
|
|
|
|
class WebSocket(WebSocket_): # type: ignore[misc]
|
|
def unhandled_error(self, error: Any) -> None:
|
|
"""
|
|
Handles the unfriendly socket closures on the server side
|
|
without showing a confusing error message
|
|
"""
|
|
if hasattr(error, "errno") and error.errno == errno.ECONNRESET:
|
|
pass
|
|
else:
|
|
logging.getLogger("ws4py").exception("Failed to receive data")
|
|
|
|
|
|
class WebSocketClient(Communicator):
|
|
"""Frigate wrapper for ws client."""
|
|
|
|
def __init__(self, config: FrigateConfig) -> None:
|
|
self.config = config
|
|
self.websocket_server: WSGIServer | None = None
|
|
|
|
def subscribe(self, receiver: Callable) -> None:
|
|
self._dispatcher = receiver
|
|
self.start()
|
|
|
|
def start(self) -> None:
|
|
"""Start the websocket client."""
|
|
|
|
class _WebSocketHandler(WebSocket):
|
|
receiver = self._dispatcher
|
|
role_separator = self.config.proxy.separator or ","
|
|
|
|
def received_message(self, message: WebSocket.received_message) -> None: # type: ignore[name-defined]
|
|
try:
|
|
json_message = json.loads(message.data.decode("utf-8"))
|
|
json_message = {
|
|
"topic": json_message.get("topic"),
|
|
"payload": json_message.get("payload"),
|
|
}
|
|
except Exception:
|
|
logger.warning(
|
|
f"Unable to parse websocket message as valid json: {message.data.decode('utf-8')}"
|
|
)
|
|
return
|
|
|
|
topic = json_message["topic"]
|
|
|
|
# Authorization check (skip when environ is None — direct internal connection)
|
|
role_header = (
|
|
self.environ.get("HTTP_REMOTE_ROLE") if self.environ else None
|
|
)
|
|
if self.environ is not None and not _check_ws_authorization(
|
|
topic, role_header, self.role_separator
|
|
):
|
|
logger.warning(
|
|
"Blocked unauthorized WebSocket message: topic=%s, role=%s",
|
|
topic,
|
|
role_header,
|
|
)
|
|
return
|
|
|
|
logger.debug(f"Publishing mqtt message from websockets at {topic}.")
|
|
self.receiver(
|
|
topic,
|
|
json_message["payload"],
|
|
)
|
|
|
|
# start a websocket server on 5002
|
|
WebSocketWSGIHandler.http_version = "1.1"
|
|
self.websocket_server = make_server(
|
|
"127.0.0.1",
|
|
5002,
|
|
server_class=WSGIServer,
|
|
handler_class=WebSocketWSGIRequestHandler,
|
|
app=WebSocketWSGIApplication(handler_cls=_WebSocketHandler),
|
|
)
|
|
self.websocket_server.initialize_websockets_manager()
|
|
self.websocket_thread = threading.Thread(
|
|
target=self.websocket_server.serve_forever
|
|
)
|
|
self.websocket_thread.start()
|
|
|
|
def publish(self, topic: str, payload: Any, _: bool = False) -> None:
|
|
try:
|
|
ws_message = json.dumps(
|
|
{
|
|
"topic": topic,
|
|
"payload": payload,
|
|
}
|
|
)
|
|
except Exception:
|
|
# if the payload can't be decoded don't relay to clients
|
|
logger.debug(f"payload for {topic} wasn't text. Skipping...")
|
|
return
|
|
|
|
if self.websocket_server is None:
|
|
logger.debug("Skipping message, websocket not connected yet")
|
|
return
|
|
|
|
try:
|
|
self.websocket_server.manager.broadcast(ws_message)
|
|
except ConnectionResetError:
|
|
pass
|
|
|
|
def stop(self) -> None:
|
|
if self.websocket_server is not None:
|
|
self.websocket_server.manager.close_all()
|
|
self.websocket_server.manager.stop()
|
|
self.websocket_server.manager.join()
|
|
self.websocket_server.shutdown()
|
|
|
|
self.websocket_thread.join()
|
|
logger.info("Exiting websocket client...")
|