mirror of
				https://github.com/blakeblackshear/frigate.git
				synced 2025-10-27 10:52:11 +01:00 
			
		
		
		
	* backend * frontend * add notification config at camera level * camera level notifications in dispatcher * initial onconnect * frontend * backend for suspended notifications * frontend * use base communicator * initialize all cameras in suspended array and use 0 for unsuspended * remove switch and use select for suspending in frontend * use timestamp instead of datetime * frontend tweaks * mqtt docs * fix button width * use grid for layout * use thread and queue for processing notifications with 10s timeout * clean up * move async code to main class * tweaks * docs * remove warning message
		
			
				
	
	
		
			118 lines
		
	
	
		
			3.8 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			118 lines
		
	
	
		
			3.8 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
| """Websocket communicator."""
 | |
| 
 | |
| import errno
 | |
| import json
 | |
| import logging
 | |
| import threading
 | |
| from typing import 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
 | |
| 
 | |
| logger = logging.getLogger(__name__)
 | |
| 
 | |
| 
 | |
| class WebSocket(WebSocket_):
 | |
|     def unhandled_error(self, error):
 | |
|         """
 | |
|         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):  # type: ignore[misc]
 | |
|     """Frigate wrapper for ws client."""
 | |
| 
 | |
|     def __init__(self, config: FrigateConfig) -> None:
 | |
|         self.config = config
 | |
|         self.websocket_server = None
 | |
| 
 | |
|     def subscribe(self, receiver: Callable) -> None:
 | |
|         self._dispatcher = receiver
 | |
|         self.start()
 | |
| 
 | |
|     def start(self) -> None:
 | |
|         """Start the websocket client."""
 | |
| 
 | |
|         class _WebSocketHandler(WebSocket):  # type: ignore[misc]
 | |
|             receiver = self._dispatcher
 | |
| 
 | |
|             def received_message(self, message: WebSocket.received_message) -> None:
 | |
|                 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
 | |
| 
 | |
|                 logger.debug(
 | |
|                     f"Publishing mqtt message from websockets at {json_message['topic']}."
 | |
|                 )
 | |
|                 self.receiver(
 | |
|                     json_message["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: str, _: bool) -> 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:
 | |
|         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...")
 |