Skip to content

Commit 0eac679

Browse files
Lash-Lallenporter
andauthored
Move MapData to Coordinator for Roborock (#140766)
* Move MapData to Coordinator * seeing if mypy likes this * delete dead code * Some MR comments * remove MapData and always update on startup if we don't have a stored map. * don't do on demand updates * remove unneeded logic and pull out map save * Apply suggestions from code review Co-authored-by: Allen Porter <allen.porter@gmail.com> * see if mypy is happy --------- Co-authored-by: Allen Porter <allen.porter@gmail.com>
1 parent 73a24bf commit 0eac679

File tree

9 files changed

+154
-80
lines changed

9 files changed

+154
-80
lines changed

homeassistant/components/roborock/const.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -46,7 +46,7 @@
4646
]
4747

4848
# This can be lowered in the future if we do not receive rate limiting issues.
49-
IMAGE_CACHE_INTERVAL = 30
49+
IMAGE_CACHE_INTERVAL = timedelta(seconds=30)
5050

5151
MAP_SLEEP = 3
5252

homeassistant/components/roborock/coordinator.py

+68-3
Original file line numberDiff line numberDiff line change
@@ -39,13 +39,14 @@
3939
from homeassistant.helpers.device_registry import DeviceInfo
4040
from homeassistant.helpers.typing import StateType
4141
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
42-
from homeassistant.util import slugify
42+
from homeassistant.util import dt as dt_util, slugify
4343

4444
from .const import (
4545
A01_UPDATE_INTERVAL,
4646
DEFAULT_DRAWABLES,
4747
DOMAIN,
4848
DRAWABLES,
49+
IMAGE_CACHE_INTERVAL,
4950
MAP_FILE_FORMAT,
5051
MAP_SCALE,
5152
MAP_SLEEP,
@@ -191,15 +192,59 @@ async def _async_setup(self) -> None:
191192
except RoborockException as err:
192193
raise UpdateFailed("Failed to get map data: {err}") from err
193194
# Rooms names populated later with calls to `set_current_map_rooms` for each map
195+
roborock_maps = maps.map_info if (maps and maps.map_info) else ()
196+
stored_images = await asyncio.gather(
197+
*[
198+
self.map_storage.async_load_map(roborock_map.mapFlag)
199+
for roborock_map in roborock_maps
200+
]
201+
)
194202
self.maps = {
195203
roborock_map.mapFlag: RoborockMapInfo(
196204
flag=roborock_map.mapFlag,
197205
name=roborock_map.name or f"Map {roborock_map.mapFlag}",
198206
rooms={},
207+
image=image,
208+
last_updated=dt_util.utcnow() - IMAGE_CACHE_INTERVAL,
199209
)
200-
for roborock_map in (maps.map_info if (maps and maps.map_info) else ())
210+
for image, roborock_map in zip(stored_images, roborock_maps, strict=False)
201211
}
202212

213+
async def update_map(self) -> None:
214+
"""Update the currently selected map."""
215+
# The current map was set in the props update, so these can be done without
216+
# worry of applying them to the wrong map.
217+
if self.current_map is None:
218+
# This exists as a safeguard/ to keep mypy happy.
219+
return
220+
try:
221+
response = await self.cloud_api.get_map_v1()
222+
except RoborockException as ex:
223+
raise HomeAssistantError(
224+
translation_domain=DOMAIN,
225+
translation_key="map_failure",
226+
) from ex
227+
if not isinstance(response, bytes):
228+
_LOGGER.debug("Failed to parse map contents: %s", response)
229+
raise HomeAssistantError(
230+
translation_domain=DOMAIN,
231+
translation_key="map_failure",
232+
)
233+
parsed_image = self.parse_image(response)
234+
if parsed_image is None:
235+
raise HomeAssistantError(
236+
translation_domain=DOMAIN,
237+
translation_key="map_failure",
238+
)
239+
if parsed_image != self.maps[self.current_map].image:
240+
await self.map_storage.async_save_map(
241+
self.current_map,
242+
parsed_image,
243+
)
244+
current_roborock_map_info = self.maps[self.current_map]
245+
current_roborock_map_info.image = parsed_image
246+
current_roborock_map_info.last_updated = dt_util.utcnow()
247+
203248
async def _verify_api(self) -> None:
204249
"""Verify that the api is reachable. If it is not, switch clients."""
205250
if isinstance(self.api, RoborockLocalClientV1):
@@ -240,6 +285,19 @@ async def _async_update_data(self) -> DeviceProp:
240285
# Set the new map id from the updated device props
241286
self._set_current_map()
242287
# Get the rooms for that map id.
288+
289+
# If the vacuum is currently cleaning and it has been IMAGE_CACHE_INTERVAL
290+
# since the last map update, you can update the map.
291+
if (
292+
self.current_map is not None
293+
and self.roborock_device_info.props.status.in_cleaning
294+
and (dt_util.utcnow() - self.maps[self.current_map].last_updated)
295+
> IMAGE_CACHE_INTERVAL
296+
):
297+
try:
298+
await self.update_map()
299+
except HomeAssistantError as err:
300+
_LOGGER.debug("Failed to update map: %s", err)
243301
await self.set_current_map_rooms()
244302
except RoborockException as ex:
245303
_LOGGER.debug("Failed to update data: %s", ex)
@@ -338,7 +396,14 @@ async def refresh_coordinator_map(self) -> None:
338396
# We cannot get the map until the roborock servers fully process the
339397
# map change.
340398
await asyncio.sleep(MAP_SLEEP)
341-
await self.set_current_map_rooms()
399+
tasks = [self.set_current_map_rooms()]
400+
# The image is set within async_setup, so if it exists, we have it here.
401+
if self.maps[map_flag].image is None:
402+
# If we don't have a cached map, let's update it here so that it can be
403+
# cached in the future.
404+
tasks.append(self.update_map())
405+
# If either of these fail, we don't care, and we want to continue.
406+
await asyncio.gather(*tasks, return_exceptions=True)
342407

343408
if len(self.maps) != 1:
344409
# Set the map back to the map the user previously had selected so that it

homeassistant/components/roborock/image.py

+10-46
Original file line numberDiff line numberDiff line change
@@ -1,18 +1,14 @@
11
"""Support for Roborock image."""
22

3-
import asyncio
43
from datetime import datetime
54
import logging
65

76
from homeassistant.components.image import ImageEntity
87
from homeassistant.config_entries import ConfigEntry
98
from homeassistant.const import EntityCategory
109
from homeassistant.core import HomeAssistant
11-
from homeassistant.exceptions import HomeAssistantError
1210
from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
13-
from homeassistant.util import dt as dt_util
1411

15-
from .const import DOMAIN, IMAGE_CACHE_INTERVAL
1612
from .coordinator import RoborockConfigEntry, RoborockDataUpdateCoordinator
1713
from .entity import RoborockCoordinatedEntityV1
1814

@@ -75,51 +71,19 @@ def is_selected(self) -> bool:
7571
async def async_added_to_hass(self) -> None:
7672
"""When entity is added to hass load any previously cached maps from disk."""
7773
await super().async_added_to_hass()
78-
content = await self.coordinator.map_storage.async_load_map(self.map_flag)
79-
self.cached_map = content or b""
80-
self._attr_image_last_updated = dt_util.utcnow()
74+
self._attr_image_last_updated = self.coordinator.maps[
75+
self.map_flag
76+
].last_updated
8177
self.async_write_ha_state()
8278

8379
def _handle_coordinator_update(self) -> None:
84-
# Bump last updated every third time the coordinator runs, so that async_image
85-
# will be called and we will evaluate on the new coordinator data if we should
86-
# update the cache.
87-
if self.is_selected and (
88-
(
89-
(dt_util.utcnow() - self.image_last_updated).total_seconds()
90-
> IMAGE_CACHE_INTERVAL
91-
and self.coordinator.roborock_device_info.props.status is not None
92-
and bool(self.coordinator.roborock_device_info.props.status.in_cleaning)
93-
)
94-
or self.cached_map == b""
95-
):
96-
# This will tell async_image it should update.
97-
self._attr_image_last_updated = dt_util.utcnow()
80+
# If the coordinator has updated the map, we can update the image.
81+
self._attr_image_last_updated = self.coordinator.maps[
82+
self.map_flag
83+
].last_updated
84+
9885
super()._handle_coordinator_update()
9986

10087
async def async_image(self) -> bytes | None:
101-
"""Update the image if it is not cached."""
102-
if self.is_selected:
103-
response = await asyncio.gather(
104-
*(
105-
self.cloud_api.get_map_v1(),
106-
self.coordinator.set_current_map_rooms(),
107-
),
108-
return_exceptions=True,
109-
)
110-
if (
111-
not isinstance(response[0], bytes)
112-
or (content := self.coordinator.parse_image(response[0])) is None
113-
):
114-
_LOGGER.debug("Failed to parse map contents: %s", response[0])
115-
raise HomeAssistantError(
116-
translation_domain=DOMAIN,
117-
translation_key="map_failure",
118-
)
119-
if self.cached_map != content:
120-
self.cached_map = content
121-
await self.coordinator.map_storage.async_save_map(
122-
self.map_flag,
123-
content,
124-
)
125-
return self.cached_map
88+
"""Get the cached image."""
89+
return self.coordinator.maps[self.map_flag].image

homeassistant/components/roborock/models.py

+3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
"""Roborock Models."""
22

33
from dataclasses import dataclass
4+
from datetime import datetime
45
from typing import Any
56

67
from roborock.containers import HomeDataDevice, HomeDataProduct, NetworkInfo
@@ -48,3 +49,5 @@ class RoborockMapInfo:
4849
flag: int
4950
name: str
5051
rooms: dict[int, str]
52+
image: bytes | None
53+
last_updated: datetime

homeassistant/components/roborock/vacuum.py

+8-2
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,5 @@
11
"""Support for Roborock vacuum class."""
22

3-
from dataclasses import asdict
43
from typing import Any
54

65
from roborock.code_mappings import RoborockStateCode
@@ -206,7 +205,14 @@ async def get_maps(self) -> ServiceResponse:
206205
"""Get map information such as map id and room ids."""
207206
return {
208207
"maps": [
209-
asdict(vacuum_map) for vacuum_map in self.coordinator.maps.values()
208+
{
209+
"flag": vacuum_map.flag,
210+
"name": vacuum_map.name,
211+
# JsonValueType does not accept a int as a key - was not a
212+
# issue with previous asdict() implementation.
213+
"rooms": vacuum_map.rooms, # type: ignore[dict-item]
214+
}
215+
for vacuum_map in self.coordinator.maps.values()
210216
]
211217
}
212218

tests/components/roborock/conftest.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -228,7 +228,7 @@ async def setup_entry(
228228
yield mock_roborock_entry
229229

230230

231-
@pytest.fixture
231+
@pytest.fixture(autouse=True)
232232
async def cleanup_map_storage(
233233
hass: HomeAssistant, mock_roborock_entry: MockConfigEntry
234234
) -> Generator[pathlib.Path]:

tests/components/roborock/test_config_flow.py

+26-14
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,12 @@
2525
from tests.common import MockConfigEntry
2626

2727

28+
@pytest.fixture
29+
def cleanup_map_storage():
30+
"""Override the map storage fixture as it is not relevant here."""
31+
return
32+
33+
2834
async def test_config_flow_success(
2935
hass: HomeAssistant,
3036
bypass_api_fixture,
@@ -189,25 +195,31 @@ async def test_config_flow_failures_code_login(
189195

190196

191197
async def test_options_flow_drawables(
192-
hass: HomeAssistant, setup_entry: MockConfigEntry
198+
hass: HomeAssistant, mock_roborock_entry: MockConfigEntry
193199
) -> None:
194200
"""Test that the options flow works."""
195-
result = await hass.config_entries.options.async_init(setup_entry.entry_id)
201+
with patch("homeassistant.components.roborock.roborock_storage"):
202+
await hass.config_entries.async_setup(mock_roborock_entry.entry_id)
203+
await hass.async_block_till_done()
196204

197-
assert result["type"] == FlowResultType.FORM
198-
assert result["step_id"] == DRAWABLES
199-
with patch(
200-
"homeassistant.components.roborock.async_setup_entry", return_value=True
201-
) as mock_setup:
202-
result = await hass.config_entries.options.async_configure(
203-
result["flow_id"],
204-
user_input={Drawable.PREDICTED_PATH: True},
205+
result = await hass.config_entries.options.async_init(
206+
mock_roborock_entry.entry_id
205207
)
206-
await hass.async_block_till_done()
207208

208-
assert result["type"] == FlowResultType.CREATE_ENTRY
209-
assert setup_entry.options[DRAWABLES][Drawable.PREDICTED_PATH] is True
210-
assert len(mock_setup.mock_calls) == 1
209+
assert result["type"] == FlowResultType.FORM
210+
assert result["step_id"] == DRAWABLES
211+
with patch(
212+
"homeassistant.components.roborock.async_setup_entry", return_value=True
213+
) as mock_setup:
214+
result = await hass.config_entries.options.async_configure(
215+
result["flow_id"],
216+
user_input={Drawable.PREDICTED_PATH: True},
217+
)
218+
await hass.async_block_till_done()
219+
220+
assert result["type"] == FlowResultType.CREATE_ENTRY
221+
assert mock_roborock_entry.options[DRAWABLES][Drawable.PREDICTED_PATH] is True
222+
assert len(mock_setup.mock_calls) == 1
211223

212224

213225
async def test_reauth_flow(

0 commit comments

Comments
 (0)