Skip to content

Commit ed20cd9

Browse files
committed
Refactor and use latest observation as radar thumbnail
1 parent 1f97db6 commit ed20cd9

File tree

6 files changed

+139
-77
lines changed

6 files changed

+139
-77
lines changed

custom_components/irm_kmi/camera.py

+5-10
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,6 @@
22
# File inspired by https://github.com/jodur/imagesdirectory-camera/blob/main/custom_components/imagedirectory/camera.py
33

44
import logging
5-
import os
65

76
from homeassistant.components.camera import Camera, async_get_still_stream
87
from homeassistant.config_entries import ConfigEntry
@@ -22,7 +21,6 @@ async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry, async_add_e
2221

2322
_LOGGER.debug(f'async_setup_entry entry is: {entry}')
2423
coordinator = hass.data[DOMAIN][entry.entry_id]
25-
# await coordinator.async_config_entry_first_refresh()
2624
async_add_entities(
2725
[IrmKmiRadar(coordinator, entry)]
2826
)
@@ -57,10 +55,7 @@ def frame_interval(self) -> float:
5755
def camera_image(self,
5856
width: int | None = None,
5957
height: int | None = None) -> bytes | None:
60-
images = self.coordinator.data.get('animation', {}).get('images')
61-
if isinstance(images, list) and len(images) > 0:
62-
return images[0]
63-
return None
58+
return self.coordinator.data.get('animation', {}).get('most_recent_image')
6459

6560
async def async_camera_image(
6661
self,
@@ -84,10 +79,10 @@ async def handle_async_mjpeg_stream(self, request):
8479
return await self.handle_async_still_stream(request, self.frame_interval)
8580

8681
async def iterate(self) -> bytes | None:
87-
images = self.coordinator.data.get('animation', {}).get('images')
88-
if isinstance(images, list) and len(images) > 0:
89-
r = images[self._image_index]
90-
self._image_index = (self._image_index + 1) % len(images)
82+
sequence = self.coordinator.data.get('animation', {}).get('sequence')
83+
if isinstance(sequence, list) and len(sequence) > 0:
84+
r = sequence[self._image_index].get('image', None)
85+
self._image_index = (self._image_index + 1) % len(sequence)
9186
return r
9287
return None
9388

custom_components/irm_kmi/coordinator.py

+89-52
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,7 @@
66
from typing import List
77

88
import async_timeout
9+
import pytz
910
from homeassistant.components.weather import Forecast
1011
from homeassistant.const import ATTR_LATITUDE, ATTR_LONGITUDE
1112
from homeassistant.helpers.aiohttp_client import async_get_clientsession
@@ -16,7 +17,8 @@
1617
from .api import IrmKmiApiClient, IrmKmiApiError
1718
from .const import IRM_KMI_TO_HA_CONDITION_MAP as CDT_MAP
1819
from .const import OUT_OF_BENELUX
19-
from .data import IrmKmiForecast
20+
from .data import (AnimationFrameData, CurrentWeatherData, IrmKmiForecast,
21+
ProcessedCoordinatorData, RadarAnimationData)
2022

2123
_LOGGER = logging.getLogger(__name__)
2224

@@ -37,7 +39,7 @@ def __init__(self, hass, zone):
3739
self._api_client = IrmKmiApiClient(session=async_get_clientsession(hass))
3840
self._zone = zone
3941

40-
async def _async_update_data(self):
42+
async def _async_update_data(self) -> ProcessedCoordinatorData:
4143
"""Fetch data from API endpoint.
4244
4345
This is the place to pre-process the data to lookup tables
@@ -62,67 +64,107 @@ async def _async_update_data(self):
6264
if api_data.get('cityName', None) in OUT_OF_BENELUX:
6365
raise UpdateFailed(f"Zone '{self._zone}' is out of Benelux and forecast is only available in the Benelux")
6466

65-
result = self.process_api_data(api_data)
67+
return await self.process_api_data(api_data)
6668

67-
# TODO make such that the most up to date image is specified to entity for static display
68-
return result | await self._async_animation_data(api_data)
69+
async def _async_animation_data(self, api_data: dict) -> RadarAnimationData:
6970

70-
async def _async_animation_data(self, api_data: dict) -> dict:
71-
72-
default = {'animation': None}
7371
animation_data = api_data.get('animation', {}).get('sequence')
74-
localisation_layer = api_data.get('animation', {}).get('localisationLayer')
75-
country = api_data.get('country', None)
72+
localisation_layer_url = api_data.get('animation', {}).get('localisationLayer')
73+
country = api_data.get('country', '')
74+
75+
if animation_data is None or localisation_layer_url is None or not isinstance(animation_data, list):
76+
return RadarAnimationData()
77+
78+
try:
79+
images_from_api = await self.download_images_from_api(animation_data, country, localisation_layer_url)
80+
except IrmKmiApiError:
81+
_LOGGER.warning(f"Could not get images for weather radar")
82+
return RadarAnimationData()
83+
84+
localisation = Image.open(BytesIO(images_from_api[0])).convert('RGBA')
85+
images_from_api = images_from_api[1:]
7686

77-
if animation_data is None or localisation_layer is None or not isinstance(animation_data, list):
78-
return default
87+
radar_animation = await self.merge_frames_from_api(animation_data, country, images_from_api, localisation)
88+
# TODO support translation here
89+
radar_animation['hint'] = api_data.get('animation', {}).get('sequenceHint', {}).get('en')
90+
return radar_animation
7991

92+
async def download_images_from_api(self, animation_data, country, localisation_layer_url):
8093
coroutines = list()
81-
coroutines.append(self._api_client.get_image(f"{localisation_layer}&th={'d' if country == 'NL' else 'n'}"))
94+
coroutines.append(self._api_client.get_image(f"{localisation_layer_url}&th={'d' if country == 'NL' else 'n'}"))
8295
for frame in animation_data:
8396
if frame.get('uri', None) is not None:
8497
coroutines.append(self._api_client.get_image(frame.get('uri')))
98+
async with async_timeout.timeout(20):
99+
images_from_api = await asyncio.gather(*coroutines, return_exceptions=True)
85100

86-
try:
87-
async with async_timeout.timeout(20):
88-
r = await asyncio.gather(*coroutines, return_exceptions=True)
89-
except IrmKmiApiError:
90-
_LOGGER.warning(f"Could not get images for weather radar")
91-
return default
92-
_LOGGER.debug(f"Just downloaded {len(r)} images")
101+
_LOGGER.debug(f"Just downloaded {len(images_from_api)} images")
102+
return images_from_api
103+
104+
async def merge_frames_from_api(self, animation_data, country, images_from_api,
105+
localisation_layer) -> RadarAnimationData:
93106

94107
if country == 'NL':
95108
background = Image.open("custom_components/irm_kmi/resources/nl.png").convert('RGBA')
96109
else:
97110
background = Image.open("custom_components/irm_kmi/resources/be_bw.png").convert('RGBA')
98-
localisation = Image.open(BytesIO(r[0])).convert('RGBA')
99-
merged_frames = list()
100-
for frame in r[1:]:
111+
112+
most_recent_frame = None
113+
tz = pytz.timezone(self.hass.config.time_zone)
114+
current_time = datetime.now(tz=tz)
115+
sequence: List[AnimationFrameData] = list()
116+
for (idx, sequence_element) in enumerate(animation_data):
117+
frame = images_from_api[idx]
101118
layer = Image.open(BytesIO(frame)).convert('RGBA')
102119
temp = Image.alpha_composite(background, layer)
103-
temp = Image.alpha_composite(temp, localisation)
120+
temp = Image.alpha_composite(temp, localisation_layer)
104121

105122
draw = ImageDraw.Draw(temp)
106123
font = ImageFont.truetype("custom_components/irm_kmi/resources/roboto_medium.ttf", 16)
107-
# TODO write actual date time
124+
time_image = (datetime.fromisoformat(sequence_element.get('time'))
125+
.astimezone(tz=tz))
126+
127+
time_str = time_image.isoformat(sep=' ', timespec='minutes')
128+
108129
if country == 'NL':
109-
draw.text((4, 4), "Sample Text", (0, 0, 0), font=font)
130+
draw.text((4, 4), time_str, (0, 0, 0), font=font)
110131
else:
111-
draw.text((4, 4), "Sample Text", (255, 255, 255), font=font)
132+
draw.text((4, 4), time_str, (255, 255, 255), font=font)
112133

113134
bytes_img = BytesIO()
114-
temp.save(bytes_img, 'png')
115-
merged_frames.append(bytes_img.getvalue())
135+
temp.save(bytes_img, 'png', compress_level=8)
136+
137+
sequence.append(
138+
AnimationFrameData(
139+
time=time_image,
140+
image=bytes_img.getvalue()
141+
)
142+
)
143+
144+
if most_recent_frame is None and current_time < time_image:
145+
recent_idx = idx - 1 if idx > 0 else idx
146+
most_recent_frame = sequence[recent_idx].get('image', None)
147+
_LOGGER.debug(f"Most recent frame is at {sequence[recent_idx].get('time')}")
148+
149+
background.close()
150+
most_recent_frame = most_recent_frame if most_recent_frame is not None else sequence[-1].get('image')
116151

117-
return {'animation': {
118-
'images': merged_frames,
119-
# TODO support translation for hint
120-
'hint': api_data.get('animation', {}).get('sequenceHint', {}).get('en')
121-
}
122-
}
152+
return RadarAnimationData(
153+
sequence=sequence,
154+
most_recent_image=most_recent_frame
155+
)
156+
157+
async def process_api_data(self, api_data: dict) -> ProcessedCoordinatorData:
158+
159+
return ProcessedCoordinatorData(
160+
current_weather=IrmKmiCoordinator.current_weather_from_data(api_data),
161+
daily_forecast=IrmKmiCoordinator.daily_list_to_forecast(api_data.get('for', {}).get('daily')),
162+
hourly_forecast=IrmKmiCoordinator.hourly_list_to_forecast(api_data.get('for', {}).get('hourly')),
163+
animation=await self._async_animation_data(api_data=api_data)
164+
)
123165

124166
@staticmethod
125-
def process_api_data(api_data):
167+
def current_weather_from_data(api_data: dict) -> CurrentWeatherData:
126168
# Process data to get current hour forecast
127169
now_hourly = None
128170
hourly_forecast_data = api_data.get('for', {}).get('hourly')
@@ -140,23 +182,18 @@ def process_api_data(api_data):
140182
for module in module_data:
141183
if module.get('type', None) == 'uv':
142184
uv_index = module.get('data', {}).get('levelValue')
143-
# Put everything together
185+
144186
# TODO NL cities have a better 'obs' section, use that for current weather
145-
processed_data = {
146-
'current_weather': {
147-
'condition': CDT_MAP.get(
148-
(api_data.get('obs', {}).get('ww'), api_data.get('obs', {}).get('dayNight')), None),
149-
'temperature': api_data.get('obs', {}).get('temp'),
150-
'wind_speed': now_hourly.get('windSpeedKm', None) if now_hourly is not None else None,
151-
'wind_gust_speed': now_hourly.get('windPeakSpeedKm', None) if now_hourly is not None else None,
152-
'wind_bearing': now_hourly.get('windDirectionText', {}).get('en') if now_hourly is not None else None,
153-
'pressure': now_hourly.get('pressure', None) if now_hourly is not None else None,
154-
'uv_index': uv_index
155-
},
156-
'daily_forecast': IrmKmiCoordinator.daily_list_to_forecast(api_data.get('for', {}).get('daily')),
157-
'hourly_forecast': IrmKmiCoordinator.hourly_list_to_forecast(api_data.get('for', {}).get('hourly'))
158-
}
159-
return processed_data
187+
current_weather = CurrentWeatherData(
188+
condition=CDT_MAP.get((api_data.get('obs', {}).get('ww'), api_data.get('obs', {}).get('dayNight')), None),
189+
temperature=api_data.get('obs', {}).get('temp'),
190+
wind_speed=now_hourly.get('windSpeedKm', None) if now_hourly is not None else None,
191+
wind_gust_speed=now_hourly.get('windPeakSpeedKm', None) if now_hourly is not None else None,
192+
wind_bearing=now_hourly.get('windDirectionText', {}).get('en') if now_hourly is not None else None,
193+
pressure=now_hourly.get('pressure', None) if now_hourly is not None else None,
194+
uv_index=uv_index
195+
)
196+
return current_weather
160197

161198
@staticmethod
162199
def hourly_list_to_forecast(data: List[dict] | None) -> List[Forecast] | None:

custom_components/irm_kmi/data.py

+31
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,7 @@
11
"""Data classes for IRM KMI integration"""
2+
from datetime import datetime
3+
from typing import List, TypedDict
4+
25
from homeassistant.components.weather import Forecast
36

47

@@ -8,3 +11,31 @@ class IrmKmiForecast(Forecast):
811
# TODO: add condition_2 as well and evolution to match data from the API?
912
text_fr: str | None
1013
text_nl: str | None
14+
15+
16+
class CurrentWeatherData(TypedDict, total=False):
17+
condition: str | None
18+
temperature: float | None
19+
wind_speed: float | None
20+
wind_gust_speed: float | None
21+
wind_bearing: float | str | None
22+
uv_index: float | None
23+
pressure: float | None
24+
25+
26+
class AnimationFrameData(TypedDict, total=False):
27+
time: datetime | None
28+
image: bytes | None
29+
30+
31+
class RadarAnimationData(TypedDict, total=False):
32+
sequence: List[AnimationFrameData] | None
33+
most_recent_image: bytes | None
34+
hint: str | None
35+
36+
37+
class ProcessedCoordinatorData(TypedDict, total=False):
38+
current_weather: CurrentWeatherData
39+
hourly_forecast: List[Forecast] | None
40+
daily_forecast: List[IrmKmiForecast] | None
41+
animation: RadarAnimationData

custom_components/irm_kmi/weather.py

-1
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,6 @@ async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry, async_add_e
2424

2525
_LOGGER.debug(f'async_setup_entry entry is: {entry}')
2626
coordinator = hass.data[DOMAIN][entry.entry_id]
27-
# await coordinator.async_config_entry_first_refresh()
2827
async_add_entities(
2928
[IrmKmiWeather(coordinator, entry)]
3029
)

requirements.txt

+2-1
Original file line numberDiff line numberDiff line change
@@ -2,4 +2,5 @@ aiohttp==3.9.1
22
async_timeout==4.0.3
33
homeassistant==2023.12.3
44
voluptuous==0.13.1
5-
Pillow==10.1.0
5+
Pillow==10.1.0
6+
pytz==2023.3.post1

tests/test_coordinator.py

+12-13
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@
88
from pytest_homeassistant_custom_component.common import load_fixture
99

1010
from custom_components.irm_kmi.coordinator import IrmKmiCoordinator
11-
from custom_components.irm_kmi.data import IrmKmiForecast
11+
from custom_components.irm_kmi.data import CurrentWeatherData, IrmKmiForecast
1212

1313

1414
def get_api_data() -> dict:
@@ -19,17 +19,17 @@ def get_api_data() -> dict:
1919
@freeze_time(datetime.fromisoformat('2023-12-26T18:30:00.028724'))
2020
def test_current_weather() -> None:
2121
api_data = get_api_data()
22-
result = IrmKmiCoordinator.process_api_data(api_data).get('current_weather')
23-
24-
expected = {
25-
'condition': ATTR_CONDITION_CLOUDY,
26-
'temperature': 7,
27-
'wind_speed': 5,
28-
'wind_gust_speed': None,
29-
'wind_bearing': 'WSW',
30-
'pressure': 1020,
31-
'uv_index': .7
32-
}
22+
result = IrmKmiCoordinator.current_weather_from_data(api_data)
23+
24+
expected = CurrentWeatherData(
25+
condition=ATTR_CONDITION_CLOUDY,
26+
temperature=7,
27+
wind_speed=5,
28+
wind_gust_speed=None,
29+
wind_bearing='WSW',
30+
pressure=1020,
31+
uv_index=.7
32+
)
3333

3434
assert result == expected
3535

@@ -83,4 +83,3 @@ def test_hourly_forecast() -> None:
8383
)
8484

8585
assert result[8] == expected
86-

0 commit comments

Comments
 (0)