Skip to content

Commit cfd1f78

Browse files
authored
2024.2.1 (#110078)
2 parents 9dbf842 + 5f9cc2f commit cfd1f78

38 files changed

+873
-108
lines changed

homeassistant/components/aosmith/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,5 +5,5 @@
55
"config_flow": true,
66
"documentation": "https://www.home-assistant.io/integrations/aosmith",
77
"iot_class": "cloud_polling",
8-
"requirements": ["py-aosmith==1.0.6"]
8+
"requirements": ["py-aosmith==1.0.8"]
99
}

homeassistant/components/climate/intent.py

+25-9
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
"""Intents for the client integration."""
2+
23
from __future__ import annotations
34

45
import voluptuous as vol
@@ -36,32 +37,47 @@ async def async_handle(self, intent_obj: intent.Intent) -> intent.IntentResponse
3637
if not entities:
3738
raise intent.IntentHandleError("No climate entities")
3839

39-
if "area" in slots:
40-
# Filter by area
41-
area_name = slots["area"]["value"]
40+
name_slot = slots.get("name", {})
41+
entity_name: str | None = name_slot.get("value")
42+
entity_text: str | None = name_slot.get("text")
43+
44+
area_slot = slots.get("area", {})
45+
area_id = area_slot.get("value")
46+
47+
if area_id:
48+
# Filter by area and optionally name
49+
area_name = area_slot.get("text")
4250

4351
for maybe_climate in intent.async_match_states(
44-
hass, area_name=area_name, domains=[DOMAIN]
52+
hass, name=entity_name, area_name=area_id, domains=[DOMAIN]
4553
):
4654
climate_state = maybe_climate
4755
break
4856

4957
if climate_state is None:
50-
raise intent.IntentHandleError(f"No climate entity in area {area_name}")
58+
raise intent.NoStatesMatchedError(
59+
name=entity_text or entity_name,
60+
area=area_name or area_id,
61+
domains={DOMAIN},
62+
device_classes=None,
63+
)
5164

5265
climate_entity = component.get_entity(climate_state.entity_id)
53-
elif "name" in slots:
66+
elif entity_name:
5467
# Filter by name
55-
entity_name = slots["name"]["value"]
56-
5768
for maybe_climate in intent.async_match_states(
5869
hass, name=entity_name, domains=[DOMAIN]
5970
):
6071
climate_state = maybe_climate
6172
break
6273

6374
if climate_state is None:
64-
raise intent.IntentHandleError(f"No climate entity named {entity_name}")
75+
raise intent.NoStatesMatchedError(
76+
name=entity_name,
77+
area=None,
78+
domains={DOMAIN},
79+
device_classes=None,
80+
)
6581

6682
climate_entity = component.get_entity(climate_state.entity_id)
6783
else:

homeassistant/components/co2signal/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,5 +7,5 @@
77
"integration_type": "service",
88
"iot_class": "cloud_polling",
99
"loggers": ["aioelectricitymaps"],
10-
"requirements": ["aioelectricitymaps==0.3.1"]
10+
"requirements": ["aioelectricitymaps==0.4.0"]
1111
}

homeassistant/components/conversation/default_agent.py

+50-14
Original file line numberDiff line numberDiff line change
@@ -223,22 +223,22 @@ async def async_process(self, user_input: ConversationInput) -> ConversationResu
223223
# Check if a trigger matched
224224
if isinstance(result, SentenceTriggerResult):
225225
# Gather callback responses in parallel
226-
trigger_responses = await asyncio.gather(
227-
*(
228-
self._trigger_sentences[trigger_id].callback(
229-
result.sentence, trigger_result
230-
)
231-
for trigger_id, trigger_result in result.matched_triggers.items()
226+
trigger_callbacks = [
227+
self._trigger_sentences[trigger_id].callback(
228+
result.sentence, trigger_result
232229
)
233-
)
230+
for trigger_id, trigger_result in result.matched_triggers.items()
231+
]
234232

235233
# Use last non-empty result as response.
236234
#
237235
# There may be multiple copies of a trigger running when editing in
238236
# the UI, so it's critical that we filter out empty responses here.
239237
response_text: str | None = None
240-
for trigger_response in trigger_responses:
241-
response_text = response_text or trigger_response
238+
for trigger_future in asyncio.as_completed(trigger_callbacks):
239+
if trigger_response := await trigger_future:
240+
response_text = trigger_response
241+
break
242242

243243
# Convert to conversation result
244244
response = intent.IntentResponse(language=language)
@@ -316,6 +316,20 @@ async def async_process(self, user_input: ConversationInput) -> ConversationResu
316316
),
317317
conversation_id,
318318
)
319+
except intent.DuplicateNamesMatchedError as duplicate_names_error:
320+
# Intent was valid, but two or more entities with the same name matched.
321+
(
322+
error_response_type,
323+
error_response_args,
324+
) = _get_duplicate_names_matched_response(duplicate_names_error)
325+
return _make_error_result(
326+
language,
327+
intent.IntentResponseErrorCode.NO_VALID_TARGETS,
328+
self._get_error_text(
329+
error_response_type, lang_intents, **error_response_args
330+
),
331+
conversation_id,
332+
)
319333
except intent.IntentHandleError:
320334
# Intent was valid and entities matched constraints, but an error
321335
# occurred during handling.
@@ -724,7 +738,12 @@ def _make_slot_lists(self) -> dict[str, SlotList]:
724738
if async_should_expose(self.hass, DOMAIN, state.entity_id)
725739
]
726740

727-
# Gather exposed entity names
741+
# Gather exposed entity names.
742+
#
743+
# NOTE: We do not pass entity ids in here because multiple entities may
744+
# have the same name. The intent matcher doesn't gather all matching
745+
# values for a list, just the first. So we will need to match by name no
746+
# matter what.
728747
entity_names = []
729748
for state in states:
730749
# Checked against "requires_context" and "excludes_context" in hassil
@@ -740,20 +759,23 @@ def _make_slot_lists(self) -> dict[str, SlotList]:
740759

741760
if not entity:
742761
# Default name
743-
entity_names.append((state.name, state.entity_id, context))
762+
entity_names.append((state.name, state.name, context))
744763
continue
745764

746765
if entity.aliases:
747766
for alias in entity.aliases:
748767
if not alias.strip():
749768
continue
750769

751-
entity_names.append((alias, state.entity_id, context))
770+
entity_names.append((alias, alias, context))
752771

753772
# Default name
754-
entity_names.append((state.name, state.entity_id, context))
773+
entity_names.append((state.name, state.name, context))
755774

756-
# Expose all areas
775+
# Expose all areas.
776+
#
777+
# We pass in area id here with the expectation that no two areas will
778+
# share the same name or alias.
757779
areas = ar.async_get(self.hass)
758780
area_names = []
759781
for area in areas.async_list_areas():
@@ -984,6 +1006,20 @@ def _get_no_states_matched_response(
9841006
return ErrorKey.NO_INTENT, {}
9851007

9861008

1009+
def _get_duplicate_names_matched_response(
1010+
duplicate_names_error: intent.DuplicateNamesMatchedError,
1011+
) -> tuple[ErrorKey, dict[str, Any]]:
1012+
"""Return key and template arguments for error when intent returns duplicate matches."""
1013+
1014+
if duplicate_names_error.area:
1015+
return ErrorKey.DUPLICATE_ENTITIES_IN_AREA, {
1016+
"entity": duplicate_names_error.name,
1017+
"area": duplicate_names_error.area,
1018+
}
1019+
1020+
return ErrorKey.DUPLICATE_ENTITIES, {"entity": duplicate_names_error.name}
1021+
1022+
9871023
def _collect_list_references(expression: Expression, list_names: set[str]) -> None:
9881024
"""Collect list reference names recursively."""
9891025
if isinstance(expression, Sequence):

homeassistant/components/ecovacs/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -6,5 +6,5 @@
66
"documentation": "https://www.home-assistant.io/integrations/ecovacs",
77
"iot_class": "cloud_push",
88
"loggers": ["sleekxmppfs", "sucks", "deebot_client"],
9-
"requirements": ["py-sucks==0.9.8", "deebot-client==5.1.0"]
9+
"requirements": ["py-sucks==0.9.8", "deebot-client==5.1.1"]
1010
}

homeassistant/components/ecowitt/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -6,5 +6,5 @@
66
"dependencies": ["webhook"],
77
"documentation": "https://www.home-assistant.io/integrations/ecowitt",
88
"iot_class": "local_push",
9-
"requirements": ["aioecowitt==2024.2.0"]
9+
"requirements": ["aioecowitt==2024.2.1"]
1010
}

homeassistant/components/evohome/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,5 +5,5 @@
55
"documentation": "https://www.home-assistant.io/integrations/evohome",
66
"iot_class": "cloud_polling",
77
"loggers": ["evohomeasync", "evohomeasync2"],
8-
"requirements": ["evohome-async==0.4.17"]
8+
"requirements": ["evohome-async==0.4.18"]
99
}

homeassistant/components/frontend/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -20,5 +20,5 @@
2020
"documentation": "https://www.home-assistant.io/integrations/frontend",
2121
"integration_type": "system",
2222
"quality_scale": "internal",
23-
"requirements": ["home-assistant-frontend==20240207.0"]
23+
"requirements": ["home-assistant-frontend==20240207.1"]
2424
}

homeassistant/components/geonetnz_volcano/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,5 +7,5 @@
77
"integration_type": "service",
88
"iot_class": "cloud_polling",
99
"loggers": ["aio_geojson_geonetnz_volcano"],
10-
"requirements": ["aio-geojson-geonetnz-volcano==0.8"]
10+
"requirements": ["aio-geojson-geonetnz-volcano==0.9"]
1111
}

homeassistant/components/hassio/handler.py

-1
Original file line numberDiff line numberDiff line change
@@ -506,7 +506,6 @@ async def update_hass_api(
506506
options = {
507507
"ssl": CONF_SSL_CERTIFICATE in http_config,
508508
"port": port,
509-
"watchdog": True,
510509
"refresh_token": refresh_token.token,
511510
}
512511

homeassistant/components/honeywell/climate.py

+10-3
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@
77

88
from aiohttp import ClientConnectionError
99
from aiosomecomfort import (
10+
APIRateLimited,
1011
AuthError,
1112
ConnectionError as AscConnectionError,
1213
SomeComfortError,
@@ -505,10 +506,11 @@ async def _login() -> None:
505506
await self._device.refresh()
506507

507508
except (
509+
asyncio.TimeoutError,
510+
AscConnectionError,
511+
APIRateLimited,
508512
AuthError,
509513
ClientConnectionError,
510-
AscConnectionError,
511-
asyncio.TimeoutError,
512514
):
513515
self._retry += 1
514516
self._attr_available = self._retry <= RETRY
@@ -524,7 +526,12 @@ async def _login() -> None:
524526
await _login()
525527
return
526528

527-
except (AscConnectionError, ClientConnectionError, asyncio.TimeoutError):
529+
except (
530+
asyncio.TimeoutError,
531+
AscConnectionError,
532+
APIRateLimited,
533+
ClientConnectionError,
534+
):
528535
self._retry += 1
529536
self._attr_available = self._retry <= RETRY
530537
return

homeassistant/components/intent/__init__.py

+18-8
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
"""The Intent integration."""
2+
23
from __future__ import annotations
34

45
import logging
@@ -155,16 +156,18 @@ async def async_handle(self, intent_obj: intent.Intent) -> intent.IntentResponse
155156
slots = self.async_validate_slots(intent_obj.slots)
156157

157158
# Entity name to match
158-
name: str | None = slots.get("name", {}).get("value")
159+
name_slot = slots.get("name", {})
160+
entity_name: str | None = name_slot.get("value")
161+
entity_text: str | None = name_slot.get("text")
159162

160163
# Look up area first to fail early
161-
area_name = slots.get("area", {}).get("value")
164+
area_slot = slots.get("area", {})
165+
area_id = area_slot.get("value")
166+
area_name = area_slot.get("text")
162167
area: ar.AreaEntry | None = None
163-
if area_name is not None:
168+
if area_id is not None:
164169
areas = ar.async_get(hass)
165-
area = areas.async_get_area(area_name) or areas.async_get_area_by_name(
166-
area_name
167-
)
170+
area = areas.async_get_area(area_id)
168171
if area is None:
169172
raise intent.IntentHandleError(f"No area named {area_name}")
170173

@@ -186,7 +189,7 @@ async def async_handle(self, intent_obj: intent.Intent) -> intent.IntentResponse
186189
states = list(
187190
intent.async_match_states(
188191
hass,
189-
name=name,
192+
name=entity_name,
190193
area=area,
191194
domains=domains,
192195
device_classes=device_classes,
@@ -197,13 +200,20 @@ async def async_handle(self, intent_obj: intent.Intent) -> intent.IntentResponse
197200
_LOGGER.debug(
198201
"Found %s state(s) that matched: name=%s, area=%s, domains=%s, device_classes=%s, assistant=%s",
199202
len(states),
200-
name,
203+
entity_name,
201204
area,
202205
domains,
203206
device_classes,
204207
intent_obj.assistant,
205208
)
206209

210+
if entity_name and (len(states) > 1):
211+
# Multiple entities matched for the same name
212+
raise intent.DuplicateNamesMatchedError(
213+
name=entity_text or entity_name,
214+
area=area_name or area_id,
215+
)
216+
207217
# Create response
208218
response = intent_obj.create_response()
209219
response.response_type = intent.IntentResponseType.QUERY_ANSWER

homeassistant/components/keymitt_ble/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -16,5 +16,5 @@
1616
"integration_type": "hub",
1717
"iot_class": "assumed_state",
1818
"loggers": ["keymitt_ble"],
19-
"requirements": ["PyMicroBot==0.0.10"]
19+
"requirements": ["PyMicroBot==0.0.12"]
2020
}

homeassistant/components/matter/adapter.py

+21
Original file line numberDiff line numberDiff line change
@@ -52,11 +52,27 @@ def register_platform_handler(
5252

5353
async def setup_nodes(self) -> None:
5454
"""Set up all existing nodes and subscribe to new nodes."""
55+
initialized_nodes: set[int] = set()
5556
for node in self.matter_client.get_nodes():
57+
if not node.available:
58+
# ignore un-initialized nodes at startup
59+
# catch them later when they become available.
60+
continue
61+
initialized_nodes.add(node.node_id)
5662
self._setup_node(node)
5763

5864
def node_added_callback(event: EventType, node: MatterNode) -> None:
5965
"""Handle node added event."""
66+
initialized_nodes.add(node.node_id)
67+
self._setup_node(node)
68+
69+
def node_updated_callback(event: EventType, node: MatterNode) -> None:
70+
"""Handle node updated event."""
71+
if node.node_id in initialized_nodes:
72+
return
73+
if not node.available:
74+
return
75+
initialized_nodes.add(node.node_id)
6076
self._setup_node(node)
6177

6278
def endpoint_added_callback(event: EventType, data: dict[str, int]) -> None:
@@ -116,6 +132,11 @@ def node_removed_callback(event: EventType, node_id: int) -> None:
116132
callback=node_added_callback, event_filter=EventType.NODE_ADDED
117133
)
118134
)
135+
self.config_entry.async_on_unload(
136+
self.matter_client.subscribe_events(
137+
callback=node_updated_callback, event_filter=EventType.NODE_UPDATED
138+
)
139+
)
119140

120141
def _setup_node(self, node: MatterNode) -> None:
121142
"""Set up an node."""

homeassistant/components/matter/entity.py

+3
Original file line numberDiff line numberDiff line change
@@ -129,6 +129,9 @@ async def async_will_remove_from_hass(self) -> None:
129129

130130
async def async_update(self) -> None:
131131
"""Call when the entity needs to be updated."""
132+
if not self._endpoint.node.available:
133+
# skip poll when the node is not (yet) available
134+
return
132135
# manually poll/refresh the primary value
133136
await self.matter_client.refresh_attribute(
134137
self._endpoint.node.node_id,

homeassistant/components/matter/manifest.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -6,5 +6,5 @@
66
"dependencies": ["websocket_api"],
77
"documentation": "https://www.home-assistant.io/integrations/matter",
88
"iot_class": "local_push",
9-
"requirements": ["python-matter-server==5.4.1"]
9+
"requirements": ["python-matter-server==5.5.0"]
1010
}

0 commit comments

Comments
 (0)