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
|
"""An MQTT session for sending and receiving messages.
See create_mqtt_session for a factory function to create an MQTT session.
This is a thin wrapper around the async MQTT client that handles dispatching messages
from a topic to a callback function, since the async MQTT client does not
support this out of the box. It also handles the authentication process and
receiving messages from the vacuum cleaner.
"""
import asyncio
import datetime
import logging
from collections.abc import Callable
from contextlib import asynccontextmanager
import aiomqtt
from aiomqtt import MqttError, TLSParameters
from roborock.callbacks import CallbackMap
from .session import MqttParams, MqttSession, MqttSessionException
_LOGGER = logging.getLogger(__name__)
_MQTT_LOGGER = logging.getLogger(f"{__name__}.aiomqtt")
KEEPALIVE = 60
# Exponential backoff parameters
MIN_BACKOFF_INTERVAL = datetime.timedelta(seconds=10)
MAX_BACKOFF_INTERVAL = datetime.timedelta(minutes=30)
BACKOFF_MULTIPLIER = 1.5
class RoborockMqttSession(MqttSession):
"""An MQTT session for sending and receiving messages.
You can start a session invoking the start() method which will connect to
the MQTT broker. A caller may subscribe to a topic, and the session keeps
track of which callbacks to invoke for each topic.
The client is run as a background task that will run until shutdown. Once
connected, the client will wait for messages to be received in a loop. If
the connection is lost, the client will be re-created and reconnected. There
is backoff to avoid spamming the broker with connection attempts. The client
will automatically re-establish any subscriptions when the connection is
re-established.
"""
def __init__(self, params: MqttParams):
self._params = params
self._background_task: asyncio.Task[None] | None = None
self._healthy = False
self._stop = False
self._backoff = MIN_BACKOFF_INTERVAL
self._client: aiomqtt.Client | None = None
self._client_lock = asyncio.Lock()
self._listeners: CallbackMap[str, bytes] = CallbackMap(_LOGGER)
@property
def connected(self) -> bool:
"""True if the session is connected to the broker."""
return self._healthy
async def start(self) -> None:
"""Start the MQTT session.
This has special behavior for the first connection attempt where any
failures are raised immediately. This is to allow the caller to
handle the failure and retry if desired itself. Once connected,
the session will retry connecting in the background.
"""
start_future: asyncio.Future[None] = asyncio.Future()
loop = asyncio.get_event_loop()
self._background_task = loop.create_task(self._run_task(start_future))
try:
await start_future
except MqttError as err:
raise MqttSessionException(f"Error starting MQTT session: {err}") from err
except Exception as err:
raise MqttSessionException(f"Unexpected error starting session: {err}") from err
else:
_LOGGER.debug("MQTT session started successfully")
async def close(self) -> None:
"""Cancels the MQTT loop and shutdown the client library."""
self._stop = True
if self._background_task:
self._background_task.cancel()
try:
await self._background_task
except asyncio.CancelledError:
pass
async with self._client_lock:
if self._client:
await self._client.close()
self._healthy = False
async def _run_task(self, start_future: asyncio.Future[None] | None) -> None:
"""Run the MQTT loop."""
_LOGGER.info("Starting MQTT session")
while True:
try:
async with self._mqtt_client(self._params) as client:
# Reset backoff once we've successfully connected
self._backoff = MIN_BACKOFF_INTERVAL
self._healthy = True
if start_future:
start_future.set_result(None)
start_future = None
await self._process_message_loop(client)
except MqttError as err:
if start_future:
_LOGGER.info("MQTT error starting session: %s", err)
start_future.set_exception(err)
return
_LOGGER.info("MQTT error: %s", err)
except asyncio.CancelledError as err:
if start_future:
_LOGGER.debug("MQTT loop was cancelled while starting")
start_future.set_exception(err)
_LOGGER.debug("MQTT loop was cancelled")
return
# Catch exceptions to avoid crashing the loop
# and to allow the loop to retry.
except Exception as err:
# This error is thrown when the MQTT loop is cancelled
# and the generator is not stopped.
if "generator didn't stop" in str(err) or "generator didn't yield" in str(err):
_LOGGER.debug("MQTT loop was cancelled")
return
if start_future:
_LOGGER.error("Uncaught error starting MQTT session: %s", err)
start_future.set_exception(err)
return
_LOGGER.exception("Uncaught error during MQTT session: %s", err)
self._healthy = False
if self._stop:
_LOGGER.debug("MQTT session closed, stopping retry loop")
return
_LOGGER.info("MQTT session disconnected, retrying in %s seconds", self._backoff.total_seconds())
await asyncio.sleep(self._backoff.total_seconds())
self._backoff = min(self._backoff * BACKOFF_MULTIPLIER, MAX_BACKOFF_INTERVAL)
@asynccontextmanager
async def _mqtt_client(self, params: MqttParams) -> aiomqtt.Client:
"""Connect to the MQTT broker and listen for messages."""
_LOGGER.debug("Connecting to %s:%s for %s", params.host, params.port, params.username)
try:
async with aiomqtt.Client(
hostname=params.host,
port=params.port,
username=params.username,
password=params.password,
keepalive=KEEPALIVE,
protocol=aiomqtt.ProtocolVersion.V5,
tls_params=TLSParameters() if params.tls else None,
timeout=params.timeout,
logger=_MQTT_LOGGER,
) as client:
_LOGGER.debug("Connected to MQTT broker")
# Re-establish any existing subscriptions
async with self._client_lock:
self._client = client
for topic in self._listeners.keys():
_LOGGER.debug("Re-establishing subscription to topic %s", topic)
# TODO: If this fails it will break the whole connection. Make
# this retry again in the background with backoff.
await client.subscribe(topic)
yield client
finally:
async with self._client_lock:
self._client = None
async def _process_message_loop(self, client: aiomqtt.Client) -> None:
_LOGGER.debug("Processing MQTT messages")
async for message in client.messages:
_LOGGER.debug("Received message: %s", message)
self._listeners(message.topic.value, message.payload)
async def subscribe(self, topic: str, callback: Callable[[bytes], None]) -> Callable[[], None]:
"""Subscribe to messages on the specified topic and invoke the callback for new messages.
The callback will be called with the message payload as a bytes object. The callback
should not block since it runs in the async loop. It should not raise any exceptions.
The returned callable unsubscribes from the topic when called.
"""
_LOGGER.debug("Subscribing to topic %s", topic)
unsub = self._listeners.add_callback(topic, callback)
async with self._client_lock:
if self._client:
_LOGGER.debug("Establishing subscription to topic %s", topic)
try:
await self._client.subscribe(topic)
except MqttError as err:
raise MqttSessionException(f"Error subscribing to topic: {err}") from err
else:
_LOGGER.debug("Client not connected, will establish subscription later")
return unsub
async def publish(self, topic: str, message: bytes) -> None:
"""Publish a message on the topic."""
_LOGGER.debug("Sending message to topic %s: %s", topic, message)
client: aiomqtt.Client
async with self._client_lock:
if self._client is None:
raise MqttSessionException("Could not publish message, MQTT client not connected")
client = self._client
try:
await client.publish(topic, message)
except MqttError as err:
raise MqttSessionException(f"Error publishing message: {err}") from err
class LazyMqttSession(MqttSession):
"""An MQTT session that is started on first attempt to subscribe.
This is a wrapper around an existing MqttSession that will only start
the underlying session when the first attempt to subscribe or publish
is made.
"""
def __init__(self, session: RoborockMqttSession) -> None:
"""Initialize the lazy session with an existing session."""
self._lock = asyncio.Lock()
self._started = False
self._session = session
@property
def connected(self) -> bool:
"""True if the session is connected to the broker."""
return self._session.connected
async def _maybe_start(self) -> None:
"""Start the MQTT session if not already started."""
async with self._lock:
if not self._started:
await self._session.start()
self._started = True
async def subscribe(self, device_id: str, callback: Callable[[bytes], None]) -> Callable[[], None]:
"""Invoke the callback when messages are received on the topic.
The returned callable unsubscribes from the topic when called.
"""
await self._maybe_start()
return await self._session.subscribe(device_id, callback)
async def publish(self, topic: str, message: bytes) -> None:
"""Publish a message on the specified topic.
This will raise an exception if the message could not be sent.
"""
await self._maybe_start()
return await self._session.publish(topic, message)
async def close(self) -> None:
"""Cancels the mqtt loop.
This will close the underlying session and will not allow it to be
restarted again.
"""
await self._session.close()
async def create_mqtt_session(params: MqttParams) -> MqttSession:
"""Create an MQTT session.
This function is a factory for creating an MQTT session. This will
raise an exception if initial attempt to connect fails. Once connected,
the session will retry connecting on failure in the background.
"""
session = RoborockMqttSession(params)
await session.start()
return session
async def create_lazy_mqtt_session(params: MqttParams) -> MqttSession:
"""Create a lazy MQTT session.
This function is a factory for creating an MQTT session that will
only connect when the first attempt to subscribe or publish is made.
"""
return LazyMqttSession(RoborockMqttSession(params))
|