Diff to HTML by rtfpessoa

Files changed (15) show
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/__init__.py RENAMED
@@ -1,53 +1,26 @@
1
  """Plugwise platform for Home Assistant Core."""
 
2
  from __future__ import annotations
3
 
4
  from typing import Any
5
 
6
- import voluptuous as vol
7
-
8
- from homeassistant.components.switch import DOMAIN as SWITCH_DOMAIN
9
- from homeassistant.config_entries import ConfigEntry
10
  from homeassistant.const import Platform
11
  from homeassistant.core import HomeAssistant, callback
12
  from homeassistant.helpers import device_registry as dr, entity_registry as er
13
- from plugwise.exceptions import PlugwiseError
14
 
15
- from .const import (
16
- COORDINATOR,
17
- DOMAIN,
18
- LOGGER,
19
- PLATFORMS_GATEWAY,
20
- SERVICE_DELETE,
21
- UNDO_UPDATE_LISTENER,
22
- )
23
- from .const import CONF_REFRESH_INTERVAL # pw-beta options
24
- from .coordinator import PlugwiseDataUpdateCoordinator
25
 
26
 
27
- async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool:
28
- """Set up Plugwise Smiles from a config entry."""
29
  await er.async_migrate_entries(hass, entry.entry_id, async_migrate_entity_entry)
30
 
31
- cooldown = 1.5 # pw-beta frontend refresh-interval
32
- if (
33
- custom_refresh := entry.options.get(CONF_REFRESH_INTERVAL)
34
- ) is not None: # pragma: no cover
35
- cooldown = custom_refresh
36
- LOGGER.debug("DUC cooldown interval: %s", cooldown)
37
-
38
- coordinator = PlugwiseDataUpdateCoordinator(
39
- hass, entry, cooldown
40
- ) # pw-beta - cooldown, update_interval as extra
41
  await coordinator.async_config_entry_first_refresh()
42
- # Migrate a changed sensor unique_id
43
  migrate_sensor_entities(hass, coordinator)
44
 
45
- undo_listener = entry.add_update_listener(_update_listener) # pw-beta
46
-
47
- hass.data.setdefault(DOMAIN, {})[entry.entry_id] = {
48
- COORDINATOR: coordinator, # pw-beta
49
- UNDO_UPDATE_LISTENER: undo_listener, # pw-beta
50
- }
51
 
52
  device_registry = dr.async_get(hass)
53
  device_registry.async_get_or_create(
@@ -55,60 +28,42 @@
55
  identifiers={(DOMAIN, str(coordinator.api.gateway_id))},
56
  manufacturer="Plugwise",
57
  model=coordinator.api.smile_model,
 
58
  name=coordinator.api.smile_name,
59
- sw_version=coordinator.api.smile_version[0],
60
- )
61
-
62
- async def delete_notification(
63
- self,
64
- ): # pragma: no cover # pw-beta: HA service - delete_notification
65
- """Service: delete the Plugwise Notification."""
66
- LOGGER.debug(
67
- "Service delete PW Notification called for %s", coordinator.api.smile_name
68
- )
69
- try:
70
- deleted = await coordinator.api.delete_notification()
71
- LOGGER.debug("PW Notification deleted: %s", deleted)
72
- except PlugwiseError:
73
- LOGGER.debug(
74
- "Failed to delete the Plugwise Notification for %s",
75
- coordinator.api.smile_name,
76
- )
77
 
78
- await hass.config_entries.async_forward_entry_setups(entry, PLATFORMS_GATEWAY)
79
-
80
- for component in PLATFORMS_GATEWAY: # pw-beta
81
- if component == Platform.BINARY_SENSOR:
82
- hass.services.async_register(
83
- DOMAIN, SERVICE_DELETE, delete_notification, schema=vol.Schema({})
84
- )
85
 
86
  return True
87
 
88
 
89
- async def _update_listener(
90
- hass: HomeAssistant, entry: ConfigEntry
91
- ): # pragma: no cover # pw-beta
92
- """Handle options update."""
93
- await hass.config_entries.async_reload(entry.entry_id)
94
-
95
-
96
- async def async_unload_entry(hass: HomeAssistant, entry: ConfigEntry):
97
- """Unload a config entry."""
98
- if unload_ok := await hass.config_entries.async_unload_platforms(
99
- entry, PLATFORMS_GATEWAY
100
- ):
101
- hass.data[DOMAIN].pop(entry.entry_id)
102
- return unload_ok
103
 
104
 
105
  @callback
106
  def async_migrate_entity_entry(entry: er.RegistryEntry) -> dict[str, Any] | None:
107
  """Migrate Plugwise entity entries.
108
 
109
- - Migrates unique ID from old relay switches to the new unique ID
110
  """
111
- if entry.domain == SWITCH_DOMAIN and entry.unique_id.endswith("-plug"):
 
 
 
 
 
 
 
 
 
 
 
 
 
 
112
  return {"new_unique_id": entry.unique_id.replace("-plug", "-relay")}
113
 
114
  # No migration needed
@@ -122,10 +77,10 @@
122
  """Migrate Sensors if needed."""
123
  ent_reg = er.async_get(hass)
124
 
125
- # Migrate opentherm_outdoor_temperature # pw-beta add to Core
126
  # to opentherm_outdoor_air_temperature sensor
127
- for device_id, device in coordinator.data.devices.items():
128
- if device["dev_class"] != "heater_central": # pw-beta add to Core
129
  continue
130
 
131
  old_unique_id = f"{device_id}-outdoor_temperature"
@@ -133,4 +88,10 @@
133
  Platform.SENSOR, DOMAIN, old_unique_id
134
  ):
135
  new_unique_id = f"{device_id}-outdoor_air_temperature"
 
 
 
 
 
 
136
  ent_reg.async_update_entity(entity_id, new_unique_id=new_unique_id)
 
1
  """Plugwise platform for Home Assistant Core."""
2
+
3
  from __future__ import annotations
4
 
5
  from typing import Any
6
 
 
 
 
 
7
  from homeassistant.const import Platform
8
  from homeassistant.core import HomeAssistant, callback
9
  from homeassistant.helpers import device_registry as dr, entity_registry as er
 
10
 
11
+ from .const import DOMAIN, LOGGER, PLATFORMS
12
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
 
 
 
 
 
 
 
 
13
 
14
 
15
+ async def async_setup_entry(hass: HomeAssistant, entry: PlugwiseConfigEntry) -> bool:
16
+ """Set up Plugwise components from a config entry."""
17
  await er.async_migrate_entries(hass, entry.entry_id, async_migrate_entity_entry)
18
 
19
+ coordinator = PlugwiseDataUpdateCoordinator(hass, entry)
 
 
 
 
 
 
 
 
 
20
  await coordinator.async_config_entry_first_refresh()
 
21
  migrate_sensor_entities(hass, coordinator)
22
 
23
+ entry.runtime_data = coordinator
 
 
 
 
 
24
 
25
  device_registry = dr.async_get(hass)
26
  device_registry.async_get_or_create(
 
28
  identifiers={(DOMAIN, str(coordinator.api.gateway_id))},
29
  manufacturer="Plugwise",
30
  model=coordinator.api.smile_model,
31
+ model_id=coordinator.api.smile_model_id,
32
  name=coordinator.api.smile_name,
33
+ sw_version=str(coordinator.api.smile_version),
34
+ ) # required for adding the entity-less P1 Gateway
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
35
 
36
+ await hass.config_entries.async_forward_entry_setups(entry, PLATFORMS)
 
 
 
 
 
 
37
 
38
  return True
39
 
40
 
41
+ async def async_unload_entry(hass: HomeAssistant, entry: PlugwiseConfigEntry) -> bool:
42
+ """Unload the Plugwise components."""
43
+ return await hass.config_entries.async_unload_platforms(entry, PLATFORMS)
 
 
 
 
 
 
 
 
 
 
 
44
 
45
 
46
  @callback
47
  def async_migrate_entity_entry(entry: er.RegistryEntry) -> dict[str, Any] | None:
48
  """Migrate Plugwise entity entries.
49
 
50
+ - Migrates old unique ID's from old binary_sensors and switches to the new unique ID's
51
  """
52
+ if entry.domain == Platform.BINARY_SENSOR and entry.unique_id.endswith(
53
+ "-slave_boiler_state"
54
+ ):
55
+ return {
56
+ "new_unique_id": entry.unique_id.replace(
57
+ "-slave_boiler_state", "-secondary_boiler_state"
58
+ )
59
+ }
60
+ if entry.domain == Platform.SENSOR and entry.unique_id.endswith(
61
+ "-relative_humidity"
62
+ ):
63
+ return {
64
+ "new_unique_id": entry.unique_id.replace("-relative_humidity", "-humidity")
65
+ }
66
+ if entry.domain == Platform.SWITCH and entry.unique_id.endswith("-plug"):
67
  return {"new_unique_id": entry.unique_id.replace("-plug", "-relay")}
68
 
69
  # No migration needed
 
77
  """Migrate Sensors if needed."""
78
  ent_reg = er.async_get(hass)
79
 
80
+ # Migrating opentherm_outdoor_temperature
81
  # to opentherm_outdoor_air_temperature sensor
82
+ for device_id, device in coordinator.data.items():
83
+ if device["dev_class"] != "heater_central":
84
  continue
85
 
86
  old_unique_id = f"{device_id}-outdoor_temperature"
 
88
  Platform.SENSOR, DOMAIN, old_unique_id
89
  ):
90
  new_unique_id = f"{device_id}-outdoor_air_temperature"
91
+ LOGGER.debug(
92
+ "Migrating entity %s from old unique ID '%s' to new unique ID '%s'",
93
+ entity_id,
94
+ old_unique_id,
95
+ new_unique_id,
96
+ )
97
  ent_reg.async_update_entity(entity_id, new_unique_id=new_unique_id)
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/binary_sensor.py RENAMED
@@ -1,51 +1,111 @@
1
  """Plugwise Binary Sensor component for Home Assistant."""
 
2
  from __future__ import annotations
3
 
4
  from collections.abc import Mapping
 
5
  from typing import Any
6
 
7
- from homeassistant.components.binary_sensor import BinarySensorEntity
8
- from homeassistant.config_entries import ConfigEntry
9
- from homeassistant.core import HomeAssistant
10
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
11
 
12
- from .const import COORDINATOR, DOMAIN, LOGGER, SEVERITIES # pw-beta
 
 
 
 
 
 
 
13
 
14
- from .coordinator import PlugwiseDataUpdateCoordinator
15
  from .entity import PlugwiseEntity
16
- from .models import PW_BINARY_SENSOR_TYPES, PlugwiseBinarySensorEntityDescription
17
 
 
 
 
18
  PARALLEL_UPDATES = 0
19
 
20
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
21
  async def async_setup_entry(
22
  hass: HomeAssistant,
23
- config_entry: ConfigEntry,
24
- async_add_entities: AddEntitiesCallback,
25
  ) -> None:
26
  """Set up the Smile binary_sensors from a config entry."""
27
- coordinator: PlugwiseDataUpdateCoordinator = hass.data[DOMAIN][
28
- config_entry.entry_id
29
- ][COORDINATOR]
30
-
31
- entities: list[PlugwiseBinarySensorEntity] = []
32
- for device_id, device in coordinator.data.devices.items():
33
- for description in PW_BINARY_SENSOR_TYPES:
34
- if (
35
- "binary_sensors" not in device
36
- or description.key not in device["binary_sensors"]
37
- ):
38
- continue
39
-
40
- entities.append(
41
- PlugwiseBinarySensorEntity(
42
- coordinator,
43
- device_id,
44
- description,
45
- )
46
- )
47
- LOGGER.debug("Add %s binary sensor", description.key)
48
- async_add_entities(entities)
49
 
50
 
51
  class PlugwiseBinarySensorEntity(PlugwiseEntity, BinarySensorEntity):
@@ -63,27 +123,11 @@
63
  super().__init__(coordinator, device_id)
64
  self.entity_description = description
65
  self._attr_unique_id = f"{device_id}-{description.key}"
66
- self._notification: dict[str, str] = {} # pw-beta
67
 
68
  @property
69
- def is_on(self) -> bool | None:
70
  """Return true if the binary sensor is on."""
71
- if (
72
- self._notification
73
- ): # pw-beta: show Plugwise notifications as HA persistent notifications
74
- for notify_id, message in self._notification.items():
75
- self.hass.components.persistent_notification.async_create(
76
- message, "Plugwise Notification:", f"{DOMAIN}.{notify_id}"
77
- )
78
-
79
- return self.device["binary_sensors"].get(self.entity_description.key)
80
-
81
- @property
82
- def icon(self) -> str | None:
83
- """Return the icon to use in the frontend, if any."""
84
- if (icon_off := self.entity_description.icon_off) and self.is_on is False:
85
- return icon_off
86
- return self.entity_description.icon
87
 
88
  @property
89
  def extra_state_attributes(self) -> Mapping[str, Any] | None:
@@ -91,25 +135,14 @@
91
  if self.entity_description.key != "plugwise_notification":
92
  return None
93
 
94
- # pw-beta adjustment with attrs is to only represent severities *with* content
95
- # not all severities including those without content as empty lists
96
- attrs: dict[str, list[str]] = {} # pw-beta Re-evaluate against Core
97
- self._notification = {} # pw-beta
98
- if notify := self.coordinator.data.gateway["notifications"]:
99
- for notify_id, details in notify.items(): # pw-beta uses notify_id
100
  for msg_type, msg in details.items():
101
  msg_type = msg_type.lower()
102
  if msg_type not in SEVERITIES:
103
- msg_type = "other" # pragma: no cover
104
-
105
- if (
106
- f"{msg_type}_msg" not in attrs
107
- ): # pw-beta Re-evaluate against Core
108
- attrs[f"{msg_type}_msg"] = []
109
  attrs[f"{msg_type}_msg"].append(msg)
110
 
111
- self._notification[
112
- notify_id
113
- ] = f"{msg_type.title()}: {msg}" # pw-beta
114
-
115
  return attrs
 
1
  """Plugwise Binary Sensor component for Home Assistant."""
2
+
3
  from __future__ import annotations
4
 
5
  from collections.abc import Mapping
6
+ from dataclasses import dataclass
7
  from typing import Any
8
 
9
+ from plugwise.constants import BinarySensorType
 
 
 
10
 
11
+ from homeassistant.components.binary_sensor import (
12
+ BinarySensorDeviceClass,
13
+ BinarySensorEntity,
14
+ BinarySensorEntityDescription,
15
+ )
16
+ from homeassistant.const import EntityCategory
17
+ from homeassistant.core import HomeAssistant, callback
18
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
19
 
20
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
21
  from .entity import PlugwiseEntity
 
22
 
23
+ SEVERITIES = ["other", "info", "warning", "error"]
24
+
25
+ # Coordinator is used to centralize the data updates
26
  PARALLEL_UPDATES = 0
27
 
28
 
29
+ @dataclass(frozen=True)
30
+ class PlugwiseBinarySensorEntityDescription(BinarySensorEntityDescription):
31
+ """Describes a Plugwise binary sensor entity."""
32
+
33
+ key: BinarySensorType
34
+
35
+
36
+ BINARY_SENSORS: tuple[PlugwiseBinarySensorEntityDescription, ...] = (
37
+ PlugwiseBinarySensorEntityDescription(
38
+ key="low_battery",
39
+ device_class=BinarySensorDeviceClass.BATTERY,
40
+ entity_category=EntityCategory.DIAGNOSTIC,
41
+ ),
42
+ PlugwiseBinarySensorEntityDescription(
43
+ key="compressor_state",
44
+ translation_key="compressor_state",
45
+ entity_category=EntityCategory.DIAGNOSTIC,
46
+ ),
47
+ PlugwiseBinarySensorEntityDescription(
48
+ key="cooling_enabled",
49
+ translation_key="cooling_enabled",
50
+ entity_category=EntityCategory.DIAGNOSTIC,
51
+ ),
52
+ PlugwiseBinarySensorEntityDescription(
53
+ key="dhw_state",
54
+ translation_key="dhw_state",
55
+ entity_category=EntityCategory.DIAGNOSTIC,
56
+ ),
57
+ PlugwiseBinarySensorEntityDescription(
58
+ key="flame_state",
59
+ translation_key="flame_state",
60
+ entity_category=EntityCategory.DIAGNOSTIC,
61
+ ),
62
+ PlugwiseBinarySensorEntityDescription(
63
+ key="heating_state",
64
+ translation_key="heating_state",
65
+ entity_category=EntityCategory.DIAGNOSTIC,
66
+ ),
67
+ PlugwiseBinarySensorEntityDescription(
68
+ key="cooling_state",
69
+ translation_key="cooling_state",
70
+ entity_category=EntityCategory.DIAGNOSTIC,
71
+ ),
72
+ PlugwiseBinarySensorEntityDescription(
73
+ key="secondary_boiler_state",
74
+ translation_key="secondary_boiler_state",
75
+ entity_category=EntityCategory.DIAGNOSTIC,
76
+ ),
77
+ PlugwiseBinarySensorEntityDescription(
78
+ key="plugwise_notification",
79
+ translation_key="plugwise_notification",
80
+ entity_category=EntityCategory.DIAGNOSTIC,
81
+ ),
82
+ )
83
+
84
+
85
  async def async_setup_entry(
86
  hass: HomeAssistant,
87
+ entry: PlugwiseConfigEntry,
88
+ async_add_entities: AddConfigEntryEntitiesCallback,
89
  ) -> None:
90
  """Set up the Smile binary_sensors from a config entry."""
91
+ coordinator = entry.runtime_data
92
+
93
+ @callback
94
+ def _add_entities() -> None:
95
+ """Add Entities."""
96
+ if not coordinator.new_devices:
97
+ return
98
+
99
+ async_add_entities(
100
+ PlugwiseBinarySensorEntity(coordinator, device_id, description)
101
+ for device_id in coordinator.new_devices
102
+ if (binary_sensors := coordinator.data[device_id].get("binary_sensors"))
103
+ for description in BINARY_SENSORS
104
+ if description.key in binary_sensors
105
+ )
106
+
107
+ _add_entities()
108
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
 
 
 
 
109
 
110
 
111
  class PlugwiseBinarySensorEntity(PlugwiseEntity, BinarySensorEntity):
 
123
  super().__init__(coordinator, device_id)
124
  self.entity_description = description
125
  self._attr_unique_id = f"{device_id}-{description.key}"
 
126
 
127
  @property
128
+ def is_on(self) -> bool:
129
  """Return true if the binary sensor is on."""
130
+ return self.device["binary_sensors"][self.entity_description.key]
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
131
 
132
  @property
133
  def extra_state_attributes(self) -> Mapping[str, Any] | None:
 
135
  if self.entity_description.key != "plugwise_notification":
136
  return None
137
 
138
+ attrs: dict[str, list[str]] = {f"{severity}_msg": [] for severity in SEVERITIES}
139
+ gateway_id = self.coordinator.api.gateway_id
140
+ if notify := self.coordinator.data[gateway_id]["notifications"]:
141
+ for details in notify.values():
 
 
142
  for msg_type, msg in details.items():
143
  msg_type = msg_type.lower()
144
  if msg_type not in SEVERITIES:
145
+ msg_type = "other"
 
 
 
 
 
146
  attrs[f"{msg_type}_msg"].append(msg)
147
 
 
 
 
 
148
  return attrs
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/climate.py RENAMED
@@ -1,4 +1,5 @@
1
  """Plugwise Climate component for Home Assistant."""
 
2
  from __future__ import annotations
3
 
4
  from typing import Any
@@ -12,94 +13,113 @@
12
  HVACAction,
13
  HVACMode,
14
  )
15
- from homeassistant.components.climate.const import (
16
- PRESET_AWAY, # pw-beta homekit emulation
17
- )
18
- from homeassistant.components.climate.const import (
19
- PRESET_HOME, # pw-beta homekit emulation
20
- )
21
- from homeassistant.config_entries import ConfigEntry
22
  from homeassistant.const import ATTR_TEMPERATURE, UnitOfTemperature
23
- from homeassistant.core import HomeAssistant
24
- from homeassistant.exceptions import HomeAssistantError
25
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
26
 
27
- from .const import CONF_HOMEKIT_EMULATION # pw-beta homekit emulation
28
- from .const import COORDINATOR # pw-beta
29
  from .const import DOMAIN, MASTER_THERMOSTATS
30
- from .coordinator import PlugwiseDataUpdateCoordinator
31
  from .entity import PlugwiseEntity
32
  from .util import plugwise_command
33
 
 
 
34
 
35
  async def async_setup_entry(
36
  hass: HomeAssistant,
37
- config_entry: ConfigEntry,
38
- async_add_entities: AddEntitiesCallback,
39
  ) -> None:
40
  """Set up the Smile Thermostats from a config entry."""
41
- coordinator: PlugwiseDataUpdateCoordinator = hass.data[DOMAIN][
42
- config_entry.entry_id
43
- ][COORDINATOR]
44
-
45
- homekit_enabled: bool = config_entry.options.get(
46
- CONF_HOMEKIT_EMULATION, False
47
- ) # pw-beta homekit emulation
48
-
49
- async_add_entities(
50
- PlugwiseClimateEntity(
51
- coordinator, device_id, homekit_enabled
52
- ) # pw-beta homekit emulation
53
- for device_id, device in coordinator.data.devices.items()
54
- if device["dev_class"] in MASTER_THERMOSTATS
55
- )
 
 
 
 
 
 
 
 
56
 
57
 
58
  class PlugwiseClimateEntity(PlugwiseEntity, ClimateEntity):
59
- """Representation of an Plugwise thermostat."""
60
 
61
- _attr_has_entity_name = True
62
  _attr_temperature_unit = UnitOfTemperature.CELSIUS
63
  _attr_translation_key = DOMAIN
64
 
 
 
65
  def __init__(
66
  self,
67
  coordinator: PlugwiseDataUpdateCoordinator,
68
  device_id: str,
69
- homekit_enabled: bool, # pw-beta homekit emulation
70
  ) -> None:
71
  """Set up the Plugwise API."""
72
  super().__init__(coordinator, device_id)
73
- self._homekit_enabled = homekit_enabled # pw-beta homekit emulation
74
- self._homekit_mode: str | None = None # pw-beta homekit emulation
75
  self._attr_unique_id = f"{device_id}-climate"
76
 
 
 
 
 
 
 
 
77
  # Determine supported features
78
  self._attr_supported_features = ClimateEntityFeature.TARGET_TEMPERATURE
79
- if self.coordinator.data.gateway["cooling_present"]:
 
 
 
80
  self._attr_supported_features = (
81
  ClimateEntityFeature.TARGET_TEMPERATURE_RANGE
82
  )
 
 
 
 
83
  if presets := self.device.get("preset_modes"):
84
  self._attr_supported_features |= ClimateEntityFeature.PRESET_MODE
85
  self._attr_preset_modes = presets
86
 
87
- # Determine hvac modes and current hvac mode
88
- self._attr_hvac_modes = [HVACMode.HEAT]
89
- if self.coordinator.data.gateway["cooling_present"]:
90
- self._attr_hvac_modes = [HVACMode.HEAT_COOL]
91
- if self.device["available_schedules"] != ["None"]:
92
- self._attr_hvac_modes.append(HVACMode.AUTO)
93
- if self._homekit_enabled: # pw-beta homekit emulation
94
- self._attr_hvac_modes.append(HVACMode.OFF) # pragma: no cover
95
-
96
  self._attr_min_temp = self.device["thermostat"]["lower_bound"]
97
- self._attr_max_temp = self.device["thermostat"]["upper_bound"]
98
  # Ensure we don't drop below 0.1
99
  self._attr_target_temperature_step = max(
100
  self.device["thermostat"]["resolution"], 0.1
101
  )
102
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
103
  @property
104
  def current_temperature(self) -> float:
105
  """Return the current temperature."""
@@ -132,91 +152,95 @@
132
 
133
  @property
134
  def hvac_mode(self) -> HVACMode:
135
- """Return HVAC operation ie. auto, heat, heat_cool, or off mode."""
136
  if (
137
- mode := self.device["mode"]
138
- ) is None or mode not in self.hvac_modes: # pw-beta add to Core
139
- return HVACMode.HEAT # pragma: no cover
140
- # pw-beta homekit emulation
141
- if self._homekit_enabled and self._homekit_mode == HVACMode.OFF:
142
- mode = HVACMode.OFF # pragma: no cover
143
-
144
  return HVACMode(mode)
145
 
146
  @property
147
- def hvac_action(self) -> HVACAction: # pw-beta add to Core
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
148
  """Return the current running hvac operation if supported."""
149
- # When control_state is present, prefer this data
150
- if (control_state := self.device.get("control_state")) == "cooling":
151
- return HVACAction.COOLING
152
- # Support preheating state as heating,
153
- # until preheating is added as a separate state
154
- if control_state in ["heating", "preheating"]:
155
- return HVACAction.HEATING
156
- if control_state == "off":
157
- return HVACAction.IDLE
158
-
159
- hc_data = self.coordinator.data.devices[
160
- self.coordinator.data.gateway["heater_id"]
161
- ]
162
- if hc_data["binary_sensors"]["heating_state"]:
163
- return HVACAction.HEATING
164
- if hc_data["binary_sensors"].get("cooling_state", False): # pw-beta adds False
165
- return HVACAction.COOLING
166
 
167
  return HVACAction.IDLE
168
 
169
  @property
170
  def preset_mode(self) -> str | None:
171
  """Return the current preset mode."""
172
- return self.device["active_preset"]
173
 
174
  @plugwise_command
175
  async def async_set_temperature(self, **kwargs: Any) -> None:
176
  """Set new target temperature."""
177
- if ATTR_HVAC_MODE in kwargs: # pw-beta add to Core
178
- await self.async_set_hvac_mode(
179
- kwargs[ATTR_HVAC_MODE]
180
- ) # pw-beta add to Core
181
-
182
  data: dict[str, Any] = {}
183
  if ATTR_TEMPERATURE in kwargs:
184
- data["setpoint"] = kwargs[ATTR_TEMPERATURE]
185
  if ATTR_TARGET_TEMP_HIGH in kwargs:
186
- data["setpoint_high"] = kwargs[ATTR_TARGET_TEMP_HIGH]
187
  if ATTR_TARGET_TEMP_LOW in kwargs:
188
- data["setpoint_low"] = kwargs[ATTR_TARGET_TEMP_LOW]
189
 
190
- for temperature in data.values():
191
- if not (self._attr_min_temp <= temperature <= self._attr_max_temp):
192
- raise ValueError("Invalid temperature change requested")
193
 
194
- await self.coordinator.api.set_temperature(self.device["location"], data)
195
 
196
  @plugwise_command
197
  async def async_set_hvac_mode(self, hvac_mode: HVACMode) -> None:
198
  """Set the hvac mode."""
199
  if hvac_mode not in self.hvac_modes:
200
- raise HomeAssistantError("Unsupported hvac_mode")
 
 
 
 
 
 
 
 
201
 
202
- await self.coordinator.api.set_schedule_state(
203
- self.device["location"],
204
- self.device["last_used"],
205
- "on" if hvac_mode == HVACMode.AUTO else "off",
206
- )
207
 
208
- # pw-beta: feature request - mimic HomeKit behavior
209
- self._homekit_mode = hvac_mode
210
- if self._homekit_enabled:
211
- if self._homekit_mode == HVACMode.OFF: # pragma: no cover
212
- await self.async_set_preset_mode(PRESET_AWAY) # pragma: no cover
213
- if (
214
- self._homekit_mode in [HVACMode.HEAT, HVACMode.COOL, HVACMode.HEAT_COOL]
215
- and self.device["active_preset"] == PRESET_AWAY
216
- ): # pragma: no cover
217
- await self.async_set_preset_mode(PRESET_HOME) # pragma: no cover
218
 
219
  @plugwise_command
220
  async def async_set_preset_mode(self, preset_mode: str) -> None:
221
  """Set the preset mode."""
222
- await self.coordinator.api.set_preset(self.device["location"], preset_mode)
 
1
  """Plugwise Climate component for Home Assistant."""
2
+
3
  from __future__ import annotations
4
 
5
  from typing import Any
 
13
  HVACAction,
14
  HVACMode,
15
  )
 
 
 
 
 
 
 
16
  from homeassistant.const import ATTR_TEMPERATURE, UnitOfTemperature
17
+ from homeassistant.core import HomeAssistant, callback
18
+ from homeassistant.exceptions import ServiceValidationError
19
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
20
 
 
 
21
  from .const import DOMAIN, MASTER_THERMOSTATS
22
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
23
  from .entity import PlugwiseEntity
24
  from .util import plugwise_command
25
 
26
+ PARALLEL_UPDATES = 0
27
+
28
 
29
  async def async_setup_entry(
30
  hass: HomeAssistant,
31
+ entry: PlugwiseConfigEntry,
32
+ async_add_entities: AddConfigEntryEntitiesCallback,
33
  ) -> None:
34
  """Set up the Smile Thermostats from a config entry."""
35
+ coordinator = entry.runtime_data
36
+
37
+ @callback
38
+ def _add_entities() -> None:
39
+ """Add Entities."""
40
+ if not coordinator.new_devices:
41
+ return
42
+
43
+ if coordinator.api.smile_name == "Adam":
44
+ async_add_entities(
45
+ PlugwiseClimateEntity(coordinator, device_id)
46
+ for device_id in coordinator.new_devices
47
+ if coordinator.data[device_id]["dev_class"] == "climate"
48
+ )
49
+ else:
50
+ async_add_entities(
51
+ PlugwiseClimateEntity(coordinator, device_id)
52
+ for device_id in coordinator.new_devices
53
+ if coordinator.data[device_id]["dev_class"] in MASTER_THERMOSTATS
54
+ )
55
+
56
+ _add_entities()
57
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
58
 
59
 
60
  class PlugwiseClimateEntity(PlugwiseEntity, ClimateEntity):
61
+ """Representation of a Plugwise thermostat."""
62
 
63
+ _attr_name = None
64
  _attr_temperature_unit = UnitOfTemperature.CELSIUS
65
  _attr_translation_key = DOMAIN
66
 
67
+ _previous_mode: str = "heating"
68
+
69
  def __init__(
70
  self,
71
  coordinator: PlugwiseDataUpdateCoordinator,
72
  device_id: str,
 
73
  ) -> None:
74
  """Set up the Plugwise API."""
75
  super().__init__(coordinator, device_id)
 
 
76
  self._attr_unique_id = f"{device_id}-climate"
77
 
78
+ gateway_id: str = coordinator.api.gateway_id
79
+ self._gateway_data = coordinator.data[gateway_id]
80
+
81
+ self._location = device_id
82
+ if (location := self.device.get("location")) is not None:
83
+ self._location = location
84
+
85
  # Determine supported features
86
  self._attr_supported_features = ClimateEntityFeature.TARGET_TEMPERATURE
87
+ if (
88
+ self.coordinator.api.cooling_present
89
+ and coordinator.api.smile_name != "Adam"
90
+ ):
91
  self._attr_supported_features = (
92
  ClimateEntityFeature.TARGET_TEMPERATURE_RANGE
93
  )
94
+ if HVACMode.OFF in self.hvac_modes:
95
+ self._attr_supported_features |= (
96
+ ClimateEntityFeature.TURN_OFF | ClimateEntityFeature.TURN_ON
97
+ )
98
  if presets := self.device.get("preset_modes"):
99
  self._attr_supported_features |= ClimateEntityFeature.PRESET_MODE
100
  self._attr_preset_modes = presets
101
 
 
 
 
 
 
 
 
 
 
102
  self._attr_min_temp = self.device["thermostat"]["lower_bound"]
103
+ self._attr_max_temp = min(self.device["thermostat"]["upper_bound"], 35.0)
104
  # Ensure we don't drop below 0.1
105
  self._attr_target_temperature_step = max(
106
  self.device["thermostat"]["resolution"], 0.1
107
  )
108
 
109
+ def _previous_action_mode(self, coordinator: PlugwiseDataUpdateCoordinator) -> None:
110
+ """Return the previous action-mode when the regulation-mode is not heating or cooling.
111
+
112
+ Helper for set_hvac_mode().
113
+ """
114
+ # When no cooling available, _previous_mode is always heating
115
+ if (
116
+ "regulation_modes" in self._gateway_data
117
+ and "cooling" in self._gateway_data["regulation_modes"]
118
+ ):
119
+ mode = self._gateway_data["select_regulation_mode"]
120
+ if mode in ("cooling", "heating"):
121
+ self._previous_mode = mode
122
+
123
  @property
124
  def current_temperature(self) -> float:
125
  """Return the current temperature."""
 
152
 
153
  @property
154
  def hvac_mode(self) -> HVACMode:
155
+ """Return HVAC operation ie. auto, cool, heat, heat_cool, or off mode."""
156
  if (
157
+ mode := self.device.get("climate_mode")
158
+ ) is None or mode not in self.hvac_modes:
159
+ return HVACMode.HEAT
 
 
 
 
160
  return HVACMode(mode)
161
 
162
  @property
163
+ def hvac_modes(self) -> list[HVACMode]:
164
+ """Return a list of available HVACModes."""
165
+ hvac_modes: list[HVACMode] = []
166
+ if "regulation_modes" in self._gateway_data:
167
+ hvac_modes.append(HVACMode.OFF)
168
+
169
+ if "available_schedules" in self.device:
170
+ hvac_modes.append(HVACMode.AUTO)
171
+
172
+ if self.coordinator.api.cooling_present:
173
+ if "regulation_modes" in self._gateway_data:
174
+ if self._gateway_data["select_regulation_mode"] == "cooling":
175
+ hvac_modes.append(HVACMode.COOL)
176
+ if self._gateway_data["select_regulation_mode"] == "heating":
177
+ hvac_modes.append(HVACMode.HEAT)
178
+ else:
179
+ hvac_modes.append(HVACMode.HEAT_COOL)
180
+ else:
181
+ hvac_modes.append(HVACMode.HEAT)
182
+
183
+ return hvac_modes
184
+
185
+ @property
186
+ def hvac_action(self) -> HVACAction:
187
  """Return the current running hvac operation if supported."""
188
+ # Keep track of the previous action-mode
189
+ self._previous_action_mode(self.coordinator)
190
+ if (action := self.device.get("control_state")) is not None:
191
+ return HVACAction(action)
 
 
 
 
 
 
 
 
 
 
 
 
 
192
 
193
  return HVACAction.IDLE
194
 
195
  @property
196
  def preset_mode(self) -> str | None:
197
  """Return the current preset mode."""
198
+ return self.device.get("active_preset")
199
 
200
  @plugwise_command
201
  async def async_set_temperature(self, **kwargs: Any) -> None:
202
  """Set new target temperature."""
 
 
 
 
 
203
  data: dict[str, Any] = {}
204
  if ATTR_TEMPERATURE in kwargs:
205
+ data["setpoint"] = kwargs.get(ATTR_TEMPERATURE)
206
  if ATTR_TARGET_TEMP_HIGH in kwargs:
207
+ data["setpoint_high"] = kwargs.get(ATTR_TARGET_TEMP_HIGH)
208
  if ATTR_TARGET_TEMP_LOW in kwargs:
209
+ data["setpoint_low"] = kwargs.get(ATTR_TARGET_TEMP_LOW)
210
 
211
+ if mode := kwargs.get(ATTR_HVAC_MODE):
212
+ await self.async_set_hvac_mode(mode)
 
213
 
214
+ await self.coordinator.api.set_temperature(self._location, data)
215
 
216
  @plugwise_command
217
  async def async_set_hvac_mode(self, hvac_mode: HVACMode) -> None:
218
  """Set the hvac mode."""
219
  if hvac_mode not in self.hvac_modes:
220
+ hvac_modes = ", ".join(self.hvac_modes)
221
+ raise ServiceValidationError(
222
+ translation_domain=DOMAIN,
223
+ translation_key="unsupported_hvac_mode_requested",
224
+ translation_placeholders={
225
+ "hvac_mode": hvac_mode,
226
+ "hvac_modes": hvac_modes,
227
+ },
228
+ )
229
 
230
+ if hvac_mode == self.hvac_mode:
231
+ return
 
 
 
232
 
233
+ if hvac_mode == HVACMode.OFF:
234
+ await self.coordinator.api.set_regulation_mode(hvac_mode)
235
+ else:
236
+ await self.coordinator.api.set_schedule_state(
237
+ self._location,
238
+ "on" if hvac_mode == HVACMode.AUTO else "off",
239
+ )
240
+ if self.hvac_mode == HVACMode.OFF:
241
+ await self.coordinator.api.set_regulation_mode(self._previous_mode)
 
242
 
243
  @plugwise_command
244
  async def async_set_preset_mode(self, preset_mode: str) -> None:
245
  """Set the preset mode."""
246
+ await self.coordinator.api.set_preset(self._location, preset_mode)
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/config_flow.py RENAMED
@@ -1,114 +1,77 @@
1
  """Config flow for Plugwise integration."""
 
2
  from __future__ import annotations
3
 
4
- import datetime as dt # pw-beta options
5
- from typing import Any
6
 
 
 
 
 
 
 
 
 
 
7
  import voluptuous as vol
8
 
9
- from homeassistant import config_entries
10
- from homeassistant.components.zeroconf import ZeroconfServiceInfo
11
- from homeassistant.config_entries import ConfigEntry, ConfigFlow
12
  from homeassistant.const import (
 
13
  CONF_BASE,
14
  CONF_HOST,
15
  CONF_NAME,
16
  CONF_PASSWORD,
17
  CONF_PORT,
18
- CONF_SCAN_INTERVAL,
19
  CONF_USERNAME,
20
  )
21
- from homeassistant.core import HomeAssistant, callback
22
- from homeassistant.data_entry_flow import FlowResult
23
- from homeassistant.helpers import config_validation as cv
24
  from homeassistant.helpers.aiohttp_client import async_get_clientsession
25
- from plugwise.exceptions import (
26
- ConnectionFailedError,
27
- InvalidAuthentication,
28
- InvalidSetupError,
29
- InvalidXMLError,
30
- ResponseError,
31
- UnsupportedDeviceError,
32
- )
33
-
34
- # pw-beta Note; the below are explicit through isort
35
- from plugwise import Smile
36
 
37
  from .const import (
38
- API,
39
- COORDINATOR,
40
  DEFAULT_PORT,
41
  DEFAULT_USERNAME,
42
  DOMAIN,
43
  FLOW_SMILE,
44
  FLOW_STRETCH,
45
- PW_TYPE,
46
  SMILE,
47
  STRETCH,
48
  STRETCH_USERNAME,
49
  ZEROCONF_MAP,
50
  )
51
 
52
- # pw-beta Note; the below are explicit through isort
53
- from .const import CONF_HOMEKIT_EMULATION # pw-beta option
54
- from .const import CONF_REFRESH_INTERVAL # pw-beta option
55
- from .const import CONF_USB_PATH # pw-beta usb
56
- from .const import DEFAULT_SCAN_INTERVAL # pw-beta option
57
- from .const import FLOW_NET # pw-beta usb
58
- from .const import FLOW_TYPE # pw-beta usb
59
- from .const import FLOW_USB # pw-beta usb
60
- from .const import STICK # pw-beta usb
61
-
62
- CONNECTION_SCHEMA = vol.Schema(
63
- {vol.Required(FLOW_TYPE, default=FLOW_NET): vol.In([FLOW_NET, FLOW_USB])}
64
- ) # pw-beta usb
65
-
66
-
67
- @callback
68
- def plugwise_stick_entries(hass): # pw-beta usb
69
- """Return existing connections for Plugwise USB-stick domain."""
70
- sticks = []
71
- for entry in hass.config_entries.async_entries(DOMAIN):
72
- if entry.data.get(PW_TYPE) == STICK:
73
- sticks.append(entry.data.get(CONF_USB_PATH))
74
- return sticks
75
-
76
-
77
- def _base_gw_schema(
78
- discovery_info: ZeroconfServiceInfo | None,
79
- user_input: dict[str, Any] | None,
80
- ) -> vol.Schema:
81
  """Generate base schema for gateways."""
 
 
82
  if not discovery_info:
83
- if not user_input:
84
- return vol.Schema(
85
- {
86
- vol.Required(CONF_PASSWORD): str,
87
- vol.Required(CONF_HOST): str,
88
- vol.Optional(CONF_PORT, default=DEFAULT_PORT): int,
89
- vol.Required(CONF_USERNAME, default=SMILE): vol.In(
90
- {SMILE: FLOW_SMILE, STRETCH: FLOW_STRETCH}
91
- ),
92
- }
93
- )
94
- return vol.Schema(
95
  {
96
- vol.Required(CONF_PASSWORD, default=user_input[CONF_PASSWORD]): str,
97
- vol.Required(CONF_HOST, default=user_input[CONF_HOST]): str,
98
- vol.Optional(CONF_PORT, default=user_input[CONF_PORT]): int,
99
- vol.Required(CONF_USERNAME, default=user_input[CONF_USERNAME]): vol.In(
100
  {SMILE: FLOW_SMILE, STRETCH: FLOW_STRETCH}
101
  ),
102
  }
103
  )
104
 
105
- return vol.Schema({vol.Required(CONF_PASSWORD): str})
106
 
107
 
108
- async def validate_gw_input(hass: HomeAssistant, data: dict[str, Any]) -> Smile:
109
  """Validate whether the user input allows us to connect to the gateway.
110
 
111
- Data has the keys from _base_gw_schema() with values provided by the user.
112
  """
113
  websession = async_get_clientsession(hass, verify_ssl=False)
114
  api = Smile(
@@ -116,24 +79,50 @@
116
  password=data[CONF_PASSWORD],
117
  port=data[CONF_PORT],
118
  username=data[CONF_USERNAME],
119
- timeout=30,
120
  websession=websession,
121
  )
122
  await api.connect()
123
  return api
124
 
125
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
126
  class PlugwiseConfigFlow(ConfigFlow, domain=DOMAIN):
127
  """Handle a config flow for Plugwise Smile."""
128
 
129
  VERSION = 1
130
 
131
  discovery_info: ZeroconfServiceInfo | None = None
 
132
  _username: str = DEFAULT_USERNAME
133
 
134
  async def async_step_zeroconf(
135
  self, discovery_info: ZeroconfServiceInfo
136
- ) -> FlowResult:
137
  """Prepare configuration for a discovered Plugwise Smile."""
138
  self.discovery_info = discovery_info
139
  _properties = discovery_info.properties
@@ -141,7 +130,7 @@
141
  unique_id = discovery_info.hostname.split(".")[0].split("-")[0]
142
  if config_entry := await self.async_set_unique_id(unique_id):
143
  try:
144
- await validate_gw_input(
145
  self.hass,
146
  {
147
  CONF_HOST: discovery_info.host,
@@ -150,7 +139,7 @@
150
  CONF_PASSWORD: config_entry.data[CONF_PASSWORD],
151
  },
152
  )
153
- except Exception: # pylint: disable=broad-except
154
  self._abort_if_unique_id_configured()
155
  else:
156
  self._abort_if_unique_id_configured(
@@ -162,7 +151,7 @@
162
 
163
  if DEFAULT_USERNAME not in unique_id:
164
  self._username = STRETCH_USERNAME
165
- _product = _properties.get("product", None)
166
  _version = _properties.get("version", "n/a")
167
  _name = f"{ZEROCONF_MAP.get(_product, _product)} v{_version}"
168
 
@@ -174,172 +163,94 @@
174
  # If we have discovered an Adam or Anna, both might be on the network.
175
  # In that case, we need to cancel the Anna flow, as the Adam should
176
  # be added.
177
- for flow in self._async_in_progress():
178
- # This is an Anna, and there is already an Adam flow in progress
179
- if (
180
- _product == "smile_thermo"
181
- and "context" in flow
182
- and flow["context"].get("product") == "smile_open_therm"
183
- ):
184
- return self.async_abort(reason="anna_with_adam")
185
-
186
- # This is an Adam, and there is already an Anna flow in progress
187
- if (
188
- _product == "smile_open_therm"
189
- and "context" in flow
190
- and flow["context"].get("product") == "smile_thermo"
191
- and "flow_id" in flow
192
- ):
193
- self.hass.config_entries.flow.async_abort(flow["flow_id"])
194
 
195
  self.context.update(
196
  {
197
- "title_placeholders": {
198
- CONF_HOST: discovery_info.host,
199
- CONF_NAME: _name,
200
- CONF_PORT: discovery_info.port,
201
- CONF_USERNAME: self._username,
202
- },
203
- "configuration_url": f"http://{discovery_info.host}:{discovery_info.port}",
204
- "product": _product,
205
  }
206
  )
207
- return await self.async_step_user_gateway()
208
 
209
- async def async_step_user_gateway(
210
- self, user_input: dict[str, Any] | None = None
211
- ) -> FlowResult:
212
- """Handle the initial step when using network/gateway setups."""
213
- errors: dict[str, str] = {}
214
-
215
- if not user_input:
216
- return self.async_show_form(
217
- step_id="user_gateway",
218
- data_schema=_base_gw_schema(self.discovery_info, None),
219
- errors=errors,
220
- )
221
-
222
- if self.discovery_info:
223
- user_input[CONF_HOST] = self.discovery_info.host
224
- user_input[CONF_PORT] = self.discovery_info.port
225
- user_input[CONF_USERNAME] = self._username
226
- try:
227
- api = await validate_gw_input(self.hass, user_input)
228
- except ConnectionFailedError:
229
- errors[CONF_BASE] = "cannot_connect"
230
- except InvalidAuthentication:
231
- errors[CONF_BASE] = "invalid_auth"
232
- except InvalidSetupError:
233
- errors[CONF_BASE] = "invalid_setup"
234
- except (InvalidXMLError, ResponseError):
235
- errors[CONF_BASE] = "response_error"
236
- except UnsupportedDeviceError:
237
- errors[CONF_BASE] = "unsupported"
238
- except Exception: # pylint: disable=broad-except
239
- errors[CONF_BASE] = "unknown"
240
-
241
- if errors:
242
- return self.async_show_form(
243
- step_id="user_gateway",
244
- data_schema=_base_gw_schema(None, user_input),
245
- errors=errors,
246
- )
247
-
248
- await self.async_set_unique_id(
249
- api.smile_hostname or api.gateway_id, raise_on_progress=False
250
- )
251
- self._abort_if_unique_id_configured()
252
 
253
- user_input[PW_TYPE] = API
254
- return self.async_create_entry(title=api.smile_name, data=user_input)
255
 
256
  async def async_step_user(
257
  self, user_input: dict[str, Any] | None = None
258
- ) -> FlowResult:
259
  """Handle the initial step when using network/gateway setups."""
260
  errors: dict[str, str] = {}
261
- if user_input is not None:
262
- if user_input[FLOW_TYPE] == FLOW_NET:
263
- return await self.async_step_user_gateway()
264
 
265
- if user_input[FLOW_TYPE] == FLOW_USB:
266
- return await self.async_step_user_usb()
 
 
 
 
 
 
 
 
 
 
 
 
 
267
 
268
  return self.async_show_form(
269
- step_id="user",
270
- data_schema=CONNECTION_SCHEMA,
271
  errors=errors,
272
  )
273
 
274
- @staticmethod
275
- @callback
276
- def async_get_options_flow(
277
- config_entry: ConfigEntry,
278
- ) -> config_entries.OptionsFlow: # pw-beta options
279
- """Get the options flow for this handler."""
280
- return PlugwiseOptionsFlowHandler(config_entry)
281
-
282
-
283
- # pw-beta - change the scan-interval via CONFIGURE
284
- # pw-beta - add homekit emulation via CONFIGURE
285
- # pw-beta - change the frontend refresh interval via CONFIGURE
286
- class PlugwiseOptionsFlowHandler(config_entries.OptionsFlow): # pw-beta options
287
- """Plugwise option flow."""
288
-
289
- def __init__(self, config_entry: ConfigEntry) -> None: # pragma: no cover
290
- """Initialize options flow."""
291
- self.config_entry = config_entry
292
-
293
- async def async_step_none(
294
- self, user_input: dict[str, Any] | None = None
295
- ) -> FlowResult: # pragma: no cover
296
- """No options available."""
297
- if user_input is not None:
298
- # Apparently not possible to abort an options flow at the moment
299
- return self.async_create_entry(title="", data=self.config_entry.options)
300
-
301
- return self.async_show_form(step_id="none")
302
-
303
- async def async_step_init(
304
  self, user_input: dict[str, Any] | None = None
305
- ) -> FlowResult: # pragma: no cover
306
- """Manage the Plugwise options."""
307
- if not self.config_entry.data.get(CONF_HOST):
308
- return await self.async_step_none(user_input)
309
-
310
- if user_input is not None:
311
- return self.async_create_entry(title="", data=user_input)
312
-
313
- coordinator = self.hass.data[DOMAIN][self.config_entry.entry_id][COORDINATOR]
314
- interval: dt.timedelta = DEFAULT_SCAN_INTERVAL[
315
- coordinator.api.smile_type
316
- ] # pw-beta options
317
-
318
- data = {
319
- vol.Optional(
320
- CONF_SCAN_INTERVAL,
321
- default=self.config_entry.options.get(
322
- CONF_SCAN_INTERVAL, interval.seconds
323
- ),
324
- ): vol.All(cv.positive_int, vol.Clamp(min=10)),
325
- } # pw-beta
326
 
327
- if coordinator.api.smile_type != "thermostat":
328
- return self.async_show_form(step_id="init", data_schema=vol.Schema(data))
329
 
330
- data.update(
331
- {
332
- vol.Optional(
333
- CONF_HOMEKIT_EMULATION,
334
- default=self.config_entry.options.get(
335
- CONF_HOMEKIT_EMULATION, False
336
- ),
337
- ): cv.boolean,
338
- vol.Optional(
339
- CONF_REFRESH_INTERVAL,
340
- default=self.config_entry.options.get(CONF_REFRESH_INTERVAL, 1.5),
341
- ): vol.All(vol.Coerce(float), vol.Range(min=1.5, max=10.0)),
342
  }
343
- ) # pw-beta
344
 
345
- return self.async_show_form(step_id="init", data_schema=vol.Schema(data))
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
  """Config flow for Plugwise integration."""
2
+
3
  from __future__ import annotations
4
 
5
+ import logging
6
+ from typing import Any, Self
7
 
8
+ from plugwise import Smile
9
+ from plugwise.exceptions import (
10
+ ConnectionFailedError,
11
+ InvalidAuthentication,
12
+ InvalidSetupError,
13
+ InvalidXMLError,
14
+ ResponseError,
15
+ UnsupportedDeviceError,
16
+ )
17
  import voluptuous as vol
18
 
19
+ from homeassistant.config_entries import SOURCE_USER, ConfigFlow, ConfigFlowResult
 
 
20
  from homeassistant.const import (
21
+ ATTR_CONFIGURATION_URL,
22
  CONF_BASE,
23
  CONF_HOST,
24
  CONF_NAME,
25
  CONF_PASSWORD,
26
  CONF_PORT,
 
27
  CONF_USERNAME,
28
  )
29
+ from homeassistant.core import HomeAssistant
 
 
30
  from homeassistant.helpers.aiohttp_client import async_get_clientsession
31
+ from homeassistant.helpers.service_info.zeroconf import ZeroconfServiceInfo
 
 
 
 
 
 
 
 
 
 
32
 
33
  from .const import (
 
 
34
  DEFAULT_PORT,
35
  DEFAULT_USERNAME,
36
  DOMAIN,
37
  FLOW_SMILE,
38
  FLOW_STRETCH,
 
39
  SMILE,
40
  STRETCH,
41
  STRETCH_USERNAME,
42
  ZEROCONF_MAP,
43
  )
44
 
45
+ _LOGGER = logging.getLogger(__name__)
46
+
47
+ SMILE_RECONF_SCHEMA = vol.Schema(
48
+ {
49
+ vol.Required(CONF_HOST): str,
50
+ }
51
+ )
52
+
53
+
54
+ def smile_user_schema(discovery_info: ZeroconfServiceInfo | None) -> vol.Schema:
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
55
  """Generate base schema for gateways."""
56
+ schema = vol.Schema({vol.Required(CONF_PASSWORD): str})
57
+
58
  if not discovery_info:
59
+ schema = schema.extend(
 
 
 
 
 
 
 
 
 
 
 
60
  {
61
+ vol.Required(CONF_HOST): str,
62
+ vol.Required(CONF_USERNAME, default=SMILE): vol.In(
 
 
63
  {SMILE: FLOW_SMILE, STRETCH: FLOW_STRETCH}
64
  ),
65
  }
66
  )
67
 
68
+ return schema
69
 
70
 
71
+ async def validate_input(hass: HomeAssistant, data: dict[str, Any]) -> Smile:
72
  """Validate whether the user input allows us to connect to the gateway.
73
 
74
+ Data has the keys from the schema with values provided by the user.
75
  """
76
  websession = async_get_clientsession(hass, verify_ssl=False)
77
  api = Smile(
 
79
  password=data[CONF_PASSWORD],
80
  port=data[CONF_PORT],
81
  username=data[CONF_USERNAME],
 
82
  websession=websession,
83
  )
84
  await api.connect()
85
  return api
86
 
87
 
88
+ async def verify_connection(
89
+ hass: HomeAssistant, user_input: dict[str, Any]
90
+ ) -> tuple[Smile | None, dict[str, str]]:
91
+ """Verify and return the gateway connection or an error."""
92
+ errors: dict[str, str] = {}
93
+
94
+ try:
95
+ return (await validate_input(hass, user_input), errors)
96
+ except ConnectionFailedError:
97
+ errors[CONF_BASE] = "cannot_connect"
98
+ except InvalidAuthentication:
99
+ errors[CONF_BASE] = "invalid_auth"
100
+ except InvalidSetupError:
101
+ errors[CONF_BASE] = "invalid_setup"
102
+ except (InvalidXMLError, ResponseError):
103
+ errors[CONF_BASE] = "response_error"
104
+ except UnsupportedDeviceError:
105
+ errors[CONF_BASE] = "unsupported"
106
+ except Exception:
107
+ _LOGGER.exception(
108
+ "Unknown exception while verifying connection with your Plugwise Smile"
109
+ )
110
+ errors[CONF_BASE] = "unknown"
111
+ return (None, errors)
112
+
113
+
114
  class PlugwiseConfigFlow(ConfigFlow, domain=DOMAIN):
115
  """Handle a config flow for Plugwise Smile."""
116
 
117
  VERSION = 1
118
 
119
  discovery_info: ZeroconfServiceInfo | None = None
120
+ product: str = "Unknown Smile"
121
  _username: str = DEFAULT_USERNAME
122
 
123
  async def async_step_zeroconf(
124
  self, discovery_info: ZeroconfServiceInfo
125
+ ) -> ConfigFlowResult:
126
  """Prepare configuration for a discovered Plugwise Smile."""
127
  self.discovery_info = discovery_info
128
  _properties = discovery_info.properties
 
130
  unique_id = discovery_info.hostname.split(".")[0].split("-")[0]
131
  if config_entry := await self.async_set_unique_id(unique_id):
132
  try:
133
+ await validate_input(
134
  self.hass,
135
  {
136
  CONF_HOST: discovery_info.host,
 
139
  CONF_PASSWORD: config_entry.data[CONF_PASSWORD],
140
  },
141
  )
142
+ except Exception: # noqa: BLE001
143
  self._abort_if_unique_id_configured()
144
  else:
145
  self._abort_if_unique_id_configured(
 
151
 
152
  if DEFAULT_USERNAME not in unique_id:
153
  self._username = STRETCH_USERNAME
154
+ self.product = _product = _properties.get("product", "Unknown Smile")
155
  _version = _properties.get("version", "n/a")
156
  _name = f"{ZEROCONF_MAP.get(_product, _product)} v{_version}"
157
 
 
163
  # If we have discovered an Adam or Anna, both might be on the network.
164
  # In that case, we need to cancel the Anna flow, as the Adam should
165
  # be added.
166
+ if self.hass.config_entries.flow.async_has_matching_flow(self):
167
+ return self.async_abort(reason="anna_with_adam")
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
168
 
169
  self.context.update(
170
  {
171
+ "title_placeholders": {CONF_NAME: _name},
172
+ ATTR_CONFIGURATION_URL: (
173
+ f"http://{discovery_info.host}:{discovery_info.port}"
174
+ ),
 
 
 
 
175
  }
176
  )
177
+ return await self.async_step_user()
178
 
179
+ def is_matching(self, other_flow: Self) -> bool:
180
+ """Return True if other_flow is matching this flow."""
181
+ # This is an Anna, and there is already an Adam flow in progress
182
+ if self.product == "smile_thermo" and other_flow.product == "smile_open_therm":
183
+ return True
184
+
185
+ # This is an Adam, and there is already an Anna flow in progress
186
+ if self.product == "smile_open_therm" and other_flow.product == "smile_thermo":
187
+ self.hass.config_entries.flow.async_abort(other_flow.flow_id)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
188
 
189
+ return False
 
190
 
191
  async def async_step_user(
192
  self, user_input: dict[str, Any] | None = None
193
+ ) -> ConfigFlowResult:
194
  """Handle the initial step when using network/gateway setups."""
195
  errors: dict[str, str] = {}
 
 
 
196
 
197
+ if user_input is not None:
198
+ user_input[CONF_PORT] = DEFAULT_PORT
199
+ if self.discovery_info:
200
+ user_input[CONF_HOST] = self.discovery_info.host
201
+ user_input[CONF_PORT] = self.discovery_info.port
202
+ user_input[CONF_USERNAME] = self._username
203
+
204
+ api, errors = await verify_connection(self.hass, user_input)
205
+ if api:
206
+ await self.async_set_unique_id(
207
+ api.smile_hostname or api.gateway_id,
208
+ raise_on_progress=False,
209
+ )
210
+ self._abort_if_unique_id_configured()
211
+ return self.async_create_entry(title=api.smile_name, data=user_input)
212
 
213
  return self.async_show_form(
214
+ step_id=SOURCE_USER,
215
+ data_schema=smile_user_schema(self.discovery_info),
216
  errors=errors,
217
  )
218
 
219
+ async def async_step_reconfigure(
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
220
  self, user_input: dict[str, Any] | None = None
221
+ ) -> ConfigFlowResult:
222
+ """Handle reconfiguration of the integration."""
223
+ errors: dict[str, str] = {}
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
224
 
225
+ reconfigure_entry = self._get_reconfigure_entry()
 
226
 
227
+ if user_input:
228
+ # Keep current username and password
229
+ full_input = {
230
+ CONF_HOST: user_input.get(CONF_HOST),
231
+ CONF_PORT: reconfigure_entry.data.get(CONF_PORT),
232
+ CONF_USERNAME: reconfigure_entry.data.get(CONF_USERNAME),
233
+ CONF_PASSWORD: reconfigure_entry.data.get(CONF_PASSWORD),
 
 
 
 
 
234
  }
 
235
 
236
+ api, errors = await verify_connection(self.hass, full_input)
237
+ if api:
238
+ await self.async_set_unique_id(
239
+ api.smile_hostname or api.gateway_id,
240
+ raise_on_progress=False,
241
+ )
242
+ self._abort_if_unique_id_mismatch(reason="not_the_same_smile")
243
+ return self.async_update_reload_and_abort(
244
+ reconfigure_entry,
245
+ data_updates=full_input,
246
+ )
247
+
248
+ return self.async_show_form(
249
+ step_id="reconfigure",
250
+ data_schema=self.add_suggested_values_to_schema(
251
+ data_schema=SMILE_RECONF_SCHEMA,
252
+ suggested_values=reconfigure_entry.data,
253
+ ),
254
+ description_placeholders={"title": reconfigure_entry.title},
255
+ errors=errors,
256
+ )
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/const.py RENAMED
@@ -1,70 +1,38 @@
1
  """Constants for Plugwise component."""
 
 
 
2
  from datetime import timedelta
3
  import logging
4
- from typing import Final
5
-
6
- import voluptuous as vol # pw-beta usb
7
 
8
  from homeassistant.const import Platform
9
- from homeassistant.helpers import config_validation as cv
10
 
11
  DOMAIN: Final = "plugwise"
12
 
13
  LOGGER = logging.getLogger(__package__)
14
 
15
  API: Final = "api"
16
- COORDINATOR: Final = "coordinator"
17
- CONF_HOMEKIT_EMULATION: Final = "homekit_emulation" # pw-beta options
18
- CONF_REFRESH_INTERVAL: Final = "refresh_interval" # pw-beta options
19
- CONF_MANUAL_PATH: Final = "Enter Manually"
20
  GATEWAY: Final = "gateway"
 
21
  PW_TYPE: Final = "plugwise_type"
 
22
  SMILE: Final = "smile"
23
- STICK: Final = "stick"
24
  STRETCH: Final = "stretch"
25
  STRETCH_USERNAME: Final = "stretch"
26
- USB: Final = "usb"
27
-
28
- FLOW_NET: Final = "Network: Smile/Stretch"
29
- FLOW_SMILE: Final = "Smile (Adam/Anna/P1)"
30
- FLOW_STRETCH: Final = "Stretch (Stretch)"
31
- FLOW_TYPE: Final = "flow_type"
32
- FLOW_USB: Final = "USB: Stick"
33
 
34
- UNDO_UPDATE_LISTENER: Final = "undo_update_listener"
35
-
36
- # Default directives
37
- DEFAULT_PORT: Final = 80
38
- DEFAULT_SCAN_INTERVAL: Final[dict[str, timedelta]] = {
39
- "power": timedelta(seconds=10),
40
- "stretch": timedelta(seconds=60),
41
- "thermostat": timedelta(seconds=60),
42
- }
43
- DEFAULT_TIMEOUT: Final = 10
44
- DEFAULT_USERNAME: Final = "smile"
45
-
46
- # --- Const for Plugwise Smile and Stretch
47
- PLATFORMS_GATEWAY: Final[list[str]] = [
48
  Platform.BINARY_SENSOR,
 
49
  Platform.CLIMATE,
50
  Platform.NUMBER,
51
  Platform.SELECT,
52
  Platform.SENSOR,
53
  Platform.SWITCH,
54
  ]
55
- SENSOR_PLATFORMS: Final[list[str]] = [Platform.SENSOR, Platform.SWITCH]
56
- SERVICE_DELETE: Final = "delete_notification"
57
- SEVERITIES: Final[list[str]] = ["other", "info", "message", "warning", "error"]
58
-
59
- # Climate const:
60
- MASTER_THERMOSTATS: Final[list[str]] = [
61
- "thermostat",
62
- "zone_thermometer",
63
- "zone_thermostat",
64
- "thermostatic_radiator_valve",
65
- ]
66
-
67
- # Config_flow const:
68
  ZEROCONF_MAP: Final[dict[str, str]] = {
69
  "smile": "Smile P1",
70
  "smile_thermo": "Smile Anna",
@@ -72,149 +40,39 @@
72
  "stretch": "Stretch",
73
  }
74
 
75
- # Binary Sensors:
76
- COOLING: Final = "cooling_enabled"
77
- COMPRESSOR_STATE: Final = "compressor_state"
78
- DHW_STATE: Final = "dhw_state"
79
- FLAME_STATE: Final = "flame_state"
80
- PW_NOTIFICATION: Final = "plugwise_notification"
81
- SLAVE_BOILER_STATE: Final = "slave_boiler_state"
82
-
83
- # Sensors:
84
- BATTERY: Final = "battery"
85
- CURRENT_TEMP: Final = "temperature"
86
- DEVICE_STATE: Final = "device_state"
87
- DHW_TEMP: Final = "dhw_temperature"
88
- EL_CONSUMED: Final = "electricity_consumed"
89
- EL_CONSUMED_INTERVAL: Final = "electricity_consumed_interval"
90
- EL_CONSUMED_OFF_PEAK_CUMULATIVE: Final = "electricity_consumed_off_peak_cumulative"
91
- EL_CONSUMED_OFF_PEAK_INTERVAL: Final = "electricity_consumed_off_peak_interval"
92
- EL_CONSUMED_OFF_PEAK_POINT: Final = "electricity_consumed_off_peak_point"
93
- EL_CONSUMED_PEAK_CUMULATIVE: Final = "electricity_consumed_peak_cumulative"
94
- EL_CONSUMED_PEAK_INTERVAL: Final = "electricity_consumed_peak_interval"
95
- EL_CONSUMED_PEAK_POINT: Final = "electricity_consumed_peak_point"
96
- EL_CONSUMED_POINT: Final = "electricity_consumed_point"
97
- EL_PHASE_ONE_CONSUMED: Final = "electricity_phase_one_consumed"
98
- EL_PHASE_TWO_CONSUMED: Final = "electricity_phase_two_consumed"
99
- EL_PHASE_THREE_CONSUMED: Final = "electricity_phase_three_consumed"
100
- EL_PHASE_ONE_PRODUCED: Final = "electricity_phase_one_produced"
101
- EL_PHASE_TWO_PRODUCED: Final = "electricity_phase_two_produced"
102
- EL_PHASE_THREE_PRODUCED: Final = "electricity_phase_three_produced"
103
- EL_PRODUCED: Final = "electricity_produced"
104
- EL_PRODUCED_INTERVAL: Final = "electricity_produced_interval"
105
- EL_PRODUCED_OFF_PEAK_CUMULATIVE: Final = "electricity_produced_off_peak_cumulative"
106
- EL_PRODUCED_OFF_PEAK_INTERVAL: Final = "electricity_produced_off_peak_interval"
107
- EL_PRODUCED_OFF_PEAK_POINT: Final = "electricity_produced_off_peak_point"
108
- EL_PRODUCED_PEAK_CUMULATIVE: Final = "electricity_produced_peak_cumulative"
109
- EL_PRODUCED_PEAK_INTERVAL: Final = "electricity_produced_peak_interval"
110
- EL_PRODUCED_PEAK_POINT: Final = "electricity_produced_peak_point"
111
- EL_PRODUCED_POINT: Final = "electricity_produced_point"
112
- GAS_CONSUMED_CUMULATIVE: Final = "gas_consumed_cumulative"
113
- GAS_CONSUMED_INTERVAL: Final = "gas_consumed_interval"
114
- HUMIDITY: Final = "humidity"
115
- INTENDED_BOILER_TEMP: Final = "intended_boiler_temperature"
116
- MOD_LEVEL: Final = "modulation_level"
117
- NET_EL_CUMULATIVE: Final = "net_electricity_cumulative"
118
- NET_EL_POINT: Final = "net_electricity_point"
119
- OUTDOOR_AIR_TEMP: Final = "outdoor_air_temperature"
120
- OUTDOOR_TEMP: Final = "outdoor_temperature"
121
- RETURN_TEMP: Final = "return_temperature"
122
- TARGET_TEMP: Final = "setpoint"
123
- TARGET_TEMP_HIGH: Final = "setpoint_high"
124
- TARGET_TEMP_LOW: Final = "setpoint_low"
125
- TEMP_DIFF: Final = "temperature_difference"
126
- VALVE_POS: Final = "valve_position"
127
- V_PHASE_ONE: Final = "voltage_phase_one"
128
- V_PHASE_TWO: Final = "voltage_phase_two"
129
- V_PHASE_THREE: Final = "voltage_phase_three"
130
- WATER_PRESSURE: Final = "water_pressure"
131
- WATER_TEMP: Final = "water_temperature"
132
-
133
- # Switches
134
- COOLING_ENABLED = "cooling_ena_switch"
135
- DHW_COMF_MODE: Final = "dhw_cm_switch"
136
- LOCK: Final = "lock"
137
- RELAY: Final = "relay"
138
-
139
-
140
- # --- Const for Plugwise USB-stick.
141
 
142
- PLATFORMS_USB: Final[list[str]] = [
143
- Platform.BINARY_SENSOR,
144
- Platform.SENSOR,
145
- Platform.SWITCH,
 
 
 
 
 
 
 
146
  ]
147
- CONF_USB_PATH: Final = "usb_path"
148
 
149
- # Callback types
150
- CB_NEW_NODE: Final = "NEW_NODE"
151
- CB_JOIN_REQUEST: Final = "JOIN_REQUEST"
152
-
153
-
154
- # USB generic device constants
155
- USB_AVAILABLE_ID: Final = "available"
156
-
157
- ATTR_MAC_ADDRESS: Final = "mac"
158
-
159
- SERVICE_USB_DEVICE_ADD: Final = "device_add"
160
- SERVICE_USB_DEVICE_REMOVE: Final = "device_remove"
161
- SERVICE_USB_DEVICE_SCHEMA: Final = vol.Schema(
162
- {vol.Required(ATTR_MAC_ADDRESS): cv.string}
163
- ) # pw-beta usb
164
-
165
-
166
- # USB Relay device constants
167
- USB_RELAY_ID: Final = "relay"
168
-
169
-
170
- # USB SED (battery powered) device constants
171
- ATTR_SED_STAY_ACTIVE: Final = "stay_active"
172
- ATTR_SED_SLEEP_FOR: Final = "sleep_for"
173
- ATTR_SED_MAINTENANCE_INTERVAL: Final = "maintenance_interval"
174
- ATTR_SED_CLOCK_SYNC: Final = "clock_sync"
175
- ATTR_SED_CLOCK_INTERVAL: Final = "clock_interval"
176
-
177
- SERVICE_USB_SED_BATTERY_CONFIG: Final = "configure_battery_savings"
178
- SERVICE_USB_SED_BATTERY_CONFIG_SCHEMA: Final = {
179
- vol.Required(ATTR_SED_STAY_ACTIVE): vol.All(
180
- vol.Coerce(int), vol.Range(min=1, max=120)
181
- ),
182
- vol.Required(ATTR_SED_SLEEP_FOR): vol.All(
183
- vol.Coerce(int), vol.Range(min=10, max=60)
184
- ),
185
- vol.Required(ATTR_SED_MAINTENANCE_INTERVAL): vol.All(
186
- vol.Coerce(int), vol.Range(min=5, max=1440)
187
- ),
188
- vol.Required(ATTR_SED_CLOCK_SYNC): cv.boolean,
189
- vol.Required(ATTR_SED_CLOCK_INTERVAL): vol.All(
190
- vol.Coerce(int), vol.Range(min=60, max=10080)
191
- ),
192
  }
 
193
 
194
-
195
- # USB Scan device constants
196
- USB_MOTION_ID: Final = "motion"
197
-
198
- ATTR_SCAN_DAYLIGHT_MODE: Final = "day_light"
199
- ATTR_SCAN_SENSITIVITY_MODE: Final = "sensitivity_mode"
200
- ATTR_SCAN_RESET_TIMER: Final = "reset_timer"
201
-
202
- SCAN_SENSITIVITY_HIGH: Final = "high"
203
- SCAN_SENSITIVITY_MEDIUM: Final = "medium"
204
- SCAN_SENSITIVITY_OFF: Final = "off"
205
- SCAN_SENSITIVITY_MODES = [
206
- SCAN_SENSITIVITY_HIGH,
207
- SCAN_SENSITIVITY_MEDIUM,
208
- SCAN_SENSITIVITY_OFF,
209
  ]
210
-
211
- SERVICE_USB_SCAN_CONFIG: Final = "configure_scan"
212
- SERVICE_USB_SCAN_CONFIG_SCHEMA = (
213
- {
214
- vol.Required(ATTR_SCAN_SENSITIVITY_MODE): vol.In(SCAN_SENSITIVITY_MODES),
215
- vol.Required(ATTR_SCAN_RESET_TIMER): vol.All(
216
- vol.Coerce(int), vol.Range(min=1, max=240)
217
- ),
218
- vol.Required(ATTR_SCAN_DAYLIGHT_MODE): cv.boolean,
219
- },
220
- )
 
1
  """Constants for Plugwise component."""
2
+
3
+ from __future__ import annotations
4
+
5
  from datetime import timedelta
6
  import logging
7
+ from typing import Final, Literal
 
 
8
 
9
  from homeassistant.const import Platform
 
10
 
11
  DOMAIN: Final = "plugwise"
12
 
13
  LOGGER = logging.getLogger(__package__)
14
 
15
  API: Final = "api"
16
+ FLOW_SMILE: Final = "smile (Adam/Anna/P1)"
17
+ FLOW_STRETCH: Final = "stretch (Stretch)"
18
+ FLOW_TYPE: Final = "flow_type"
 
19
  GATEWAY: Final = "gateway"
20
+ LOCATION: Final = "location"
21
  PW_TYPE: Final = "plugwise_type"
22
+ REBOOT: Final = "reboot"
23
  SMILE: Final = "smile"
 
24
  STRETCH: Final = "stretch"
25
  STRETCH_USERNAME: Final = "stretch"
 
 
 
 
 
 
 
26
 
27
+ PLATFORMS: Final[list[str]] = [
 
 
 
 
 
 
 
 
 
 
 
 
 
28
  Platform.BINARY_SENSOR,
29
+ Platform.BUTTON,
30
  Platform.CLIMATE,
31
  Platform.NUMBER,
32
  Platform.SELECT,
33
  Platform.SENSOR,
34
  Platform.SWITCH,
35
  ]
 
 
 
 
 
 
 
 
 
 
 
 
 
36
  ZEROCONF_MAP: Final[dict[str, str]] = {
37
  "smile": "Smile P1",
38
  "smile_thermo": "Smile Anna",
 
40
  "stretch": "Stretch",
41
  }
42
 
43
+ type NumberType = Literal[
44
+ "maximum_boiler_temperature",
45
+ "max_dhw_temperature",
46
+ "temperature_offset",
47
+ ]
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
48
 
49
+ type SelectType = Literal[
50
+ "select_dhw_mode",
51
+ "select_gateway_mode",
52
+ "select_regulation_mode",
53
+ "select_schedule",
54
+ ]
55
+ type SelectOptionsType = Literal[
56
+ "dhw_modes",
57
+ "gateway_modes",
58
+ "regulation_modes",
59
+ "available_schedules",
60
  ]
 
61
 
62
+ # Default directives
63
+ DEFAULT_MAX_TEMP: Final = 30
64
+ DEFAULT_MIN_TEMP: Final = 4
65
+ DEFAULT_PORT: Final = 80
66
+ DEFAULT_SCAN_INTERVAL: Final[dict[str, timedelta]] = {
67
+ "power": timedelta(seconds=10),
68
+ "stretch": timedelta(seconds=60),
69
+ "thermostat": timedelta(seconds=60),
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
70
  }
71
+ DEFAULT_USERNAME: Final = "smile"
72
 
73
+ MASTER_THERMOSTATS: Final[list[str]] = [
74
+ "thermostat",
75
+ "thermostatic_radiator_valve",
76
+ "zone_thermometer",
77
+ "zone_thermostat",
 
 
 
 
 
 
 
 
 
 
78
  ]
 
 
 
 
 
 
 
 
 
 
 
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/coordinator.py RENAMED
@@ -1,110 +1,146 @@
1
  """DataUpdateCoordinator for Plugwise."""
 
2
  from datetime import timedelta
3
 
4
- from homeassistant.config_entries import ConfigEntry
5
- from homeassistant.const import CONF_HOST, CONF_PASSWORD, CONF_PORT, CONF_USERNAME
6
- from homeassistant.const import CONF_SCAN_INTERVAL # pw-beta options
7
- from homeassistant.core import HomeAssistant
8
- from homeassistant.exceptions import ConfigEntryError
9
- from homeassistant.helpers.aiohttp_client import async_get_clientsession
10
- from homeassistant.helpers.debounce import Debouncer
11
- from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
12
- from plugwise import PlugwiseData, Smile
13
  from plugwise.exceptions import (
14
  ConnectionFailedError,
15
  InvalidAuthentication,
16
  InvalidXMLError,
 
17
  ResponseError,
18
  UnsupportedDeviceError,
19
  )
20
 
21
- from .const import DEFAULT_PORT, DEFAULT_SCAN_INTERVAL, DEFAULT_USERNAME, DOMAIN, LOGGER
 
 
 
 
 
 
 
 
 
22
 
 
23
 
24
- class PlugwiseDataUpdateCoordinator(DataUpdateCoordinator[PlugwiseData]):
 
25
  """Class to manage fetching Plugwise data from single endpoint."""
26
 
27
  _connected: bool = False
28
 
29
- def __init__(
30
- self,
31
- hass: HomeAssistant,
32
- entry: ConfigEntry,
33
- cooldown: float,
34
- update_interval: timedelta = timedelta(seconds=60),
35
- ) -> None: # pw-beta cooldown
36
  """Initialize the coordinator."""
37
  super().__init__(
38
  hass,
39
  LOGGER,
 
40
  name=DOMAIN,
41
- # Core directly updates from const's DEFAULT_SCAN_INTERVAL
42
- update_interval=update_interval,
43
  # Don't refresh immediately, give the device time to process
44
  # the change in state before we query it.
45
  request_refresh_debouncer=Debouncer(
46
  hass,
47
  LOGGER,
48
- cooldown=cooldown,
49
  immediate=False,
50
  ),
51
  )
52
 
53
  self.api = Smile(
54
- host=entry.data[CONF_HOST],
55
- username=entry.data.get(CONF_USERNAME, DEFAULT_USERNAME),
56
- password=entry.data[CONF_PASSWORD],
57
- port=entry.data.get(CONF_PORT, DEFAULT_PORT),
58
- timeout=30,
59
  websession=async_get_clientsession(hass, verify_ssl=False),
60
  )
61
- self._entry = entry
62
- self._unavailable_logged = False
63
- self.update_interval = update_interval
64
 
65
  async def _connect(self) -> None:
66
  """Connect to the Plugwise Smile."""
67
- self._connected = await self.api.connect()
68
- self.api.get_all_devices()
69
-
70
- self.update_interval = DEFAULT_SCAN_INTERVAL.get(
71
- self.api.smile_type, timedelta(seconds=60)
72
- ) # pw-beta options scan-interval
73
- if (custom_time := self._entry.options.get(CONF_SCAN_INTERVAL)) is not None:
74
- self.update_interval = timedelta(
75
- seconds=int(custom_time)
76
- ) # pragma: no cover # pw-beta options
77
 
78
- LOGGER.debug("DUC update interval: %s", self.update_interval) # pw-beta options
79
-
80
- async def _async_update_data(self) -> PlugwiseData:
81
  """Fetch data from Plugwise."""
82
- data = PlugwiseData(gateway={}, devices={})
83
-
84
  try:
85
  if not self._connected:
86
  await self._connect()
87
  data = await self.api.async_update()
88
- LOGGER.debug(f"{self.api.smile_name} data: %s", data)
89
- if self._unavailable_logged:
90
- self._unavailable_logged = False
 
 
91
  except InvalidAuthentication as err:
92
- if not self._unavailable_logged: # pw-beta add to Core
93
- self._unavailable_logged = True
94
- raise ConfigEntryError("Authentication failed") from err
 
95
  except (InvalidXMLError, ResponseError) as err:
96
- if not self._unavailable_logged: # pw-beta add to Core
97
- self._unavailable_logged = True
98
- raise UpdateFailed(
99
- "Invalid XML data, or error indication received from the Plugwise Adam/Smile/Stretch"
100
- ) from err
 
 
 
 
101
  except UnsupportedDeviceError as err:
102
- if not self._unavailable_logged: # pw-beta add to Core
103
- self._unavailable_logged = True
104
- raise ConfigEntryError("Device with unsupported firmware") from err
105
- except ConnectionFailedError as err:
106
- if not self._unavailable_logged: # pw-beta add to Core
107
- self._unavailable_logged = True
108
- raise UpdateFailed("Failed to connect") from err
109
 
 
110
  return data
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
  """DataUpdateCoordinator for Plugwise."""
2
+
3
  from datetime import timedelta
4
 
5
+ from packaging.version import Version
6
+ from plugwise import GwEntityData, Smile
 
 
 
 
 
 
 
7
  from plugwise.exceptions import (
8
  ConnectionFailedError,
9
  InvalidAuthentication,
10
  InvalidXMLError,
11
+ PlugwiseError,
12
  ResponseError,
13
  UnsupportedDeviceError,
14
  )
15
 
16
+ from homeassistant.config_entries import ConfigEntry
17
+ from homeassistant.const import CONF_HOST, CONF_PASSWORD, CONF_PORT, CONF_USERNAME
18
+ from homeassistant.core import HomeAssistant
19
+ from homeassistant.exceptions import ConfigEntryError
20
+ from homeassistant.helpers import device_registry as dr
21
+ from homeassistant.helpers.aiohttp_client import async_get_clientsession
22
+ from homeassistant.helpers.debounce import Debouncer
23
+ from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
24
+
25
+ from .const import DEFAULT_PORT, DEFAULT_USERNAME, DOMAIN, LOGGER
26
 
27
+ type PlugwiseConfigEntry = ConfigEntry[PlugwiseDataUpdateCoordinator]
28
 
29
+
30
+ class PlugwiseDataUpdateCoordinator(DataUpdateCoordinator[dict[str, GwEntityData]]):
31
  """Class to manage fetching Plugwise data from single endpoint."""
32
 
33
  _connected: bool = False
34
 
35
+ config_entry: PlugwiseConfigEntry
36
+
37
+ def __init__(self, hass: HomeAssistant, config_entry: PlugwiseConfigEntry) -> None:
 
 
 
 
38
  """Initialize the coordinator."""
39
  super().__init__(
40
  hass,
41
  LOGGER,
42
+ config_entry=config_entry,
43
  name=DOMAIN,
44
+ update_interval=timedelta(seconds=60),
 
45
  # Don't refresh immediately, give the device time to process
46
  # the change in state before we query it.
47
  request_refresh_debouncer=Debouncer(
48
  hass,
49
  LOGGER,
50
+ cooldown=1.5,
51
  immediate=False,
52
  ),
53
  )
54
 
55
  self.api = Smile(
56
+ host=self.config_entry.data[CONF_HOST],
57
+ username=self.config_entry.data.get(CONF_USERNAME, DEFAULT_USERNAME),
58
+ password=self.config_entry.data[CONF_PASSWORD],
59
+ port=self.config_entry.data.get(CONF_PORT, DEFAULT_PORT),
 
60
  websession=async_get_clientsession(hass, verify_ssl=False),
61
  )
62
+ self._current_devices: set[str] = set()
63
+ self.new_devices: set[str] = set()
 
64
 
65
  async def _connect(self) -> None:
66
  """Connect to the Plugwise Smile."""
67
+ version = await self.api.connect()
68
+ self._connected = isinstance(version, Version)
 
 
 
 
 
 
 
 
69
 
70
+ async def _async_update_data(self) -> dict[str, GwEntityData]:
 
 
71
  """Fetch data from Plugwise."""
 
 
72
  try:
73
  if not self._connected:
74
  await self._connect()
75
  data = await self.api.async_update()
76
+ except ConnectionFailedError as err:
77
+ raise UpdateFailed(
78
+ translation_domain=DOMAIN,
79
+ translation_key="failed_to_connect",
80
+ ) from err
81
  except InvalidAuthentication as err:
82
+ raise ConfigEntryError(
83
+ translation_domain=DOMAIN,
84
+ translation_key="authentication_failed",
85
+ ) from err
86
  except (InvalidXMLError, ResponseError) as err:
87
+ raise UpdateFailed(
88
+ translation_domain=DOMAIN,
89
+ translation_key="invalid_xml_data",
90
+ ) from err
91
+ except PlugwiseError as err:
92
+ raise UpdateFailed(
93
+ translation_domain=DOMAIN,
94
+ translation_key="data_incomplete_or_missing",
95
+ ) from err
96
  except UnsupportedDeviceError as err:
97
+ raise ConfigEntryError(
98
+ translation_domain=DOMAIN,
99
+ translation_key="unsupported_firmware",
100
+ ) from err
 
 
 
101
 
102
+ self._async_add_remove_devices(data, self.config_entry)
103
  return data
104
+
105
+ def _async_add_remove_devices(
106
+ self, data: dict[str, GwEntityData], entry: ConfigEntry
107
+ ) -> None:
108
+ """Add new Plugwise devices, remove non-existing devices."""
109
+ # Check for new or removed devices
110
+ self.new_devices = set(data) - self._current_devices
111
+ removed_devices = self._current_devices - set(data)
112
+ self._current_devices = set(data)
113
+
114
+ if removed_devices:
115
+ self._async_remove_devices(data, entry)
116
+
117
+ def _async_remove_devices(
118
+ self, data: dict[str, GwEntityData], entry: ConfigEntry
119
+ ) -> None:
120
+ """Clean registries when removed devices found."""
121
+ device_reg = dr.async_get(self.hass)
122
+ device_list = dr.async_entries_for_config_entry(
123
+ device_reg, self.config_entry.entry_id
124
+ )
125
+ # First find the Plugwise via_device
126
+ gateway_device = device_reg.async_get_device({(DOMAIN, self.api.gateway_id)})
127
+ assert gateway_device is not None
128
+ via_device_id = gateway_device.id
129
+
130
+ # Then remove the connected orphaned device(s)
131
+ for device_entry in device_list:
132
+ for identifier in device_entry.identifiers:
133
+ if identifier[0] == DOMAIN:
134
+ if (
135
+ device_entry.via_device_id == via_device_id
136
+ and identifier[1] not in data
137
+ ):
138
+ device_reg.async_update_device(
139
+ device_entry.id, remove_config_entry_id=entry.entry_id
140
+ )
141
+ LOGGER.debug(
142
+ "Removed %s device %s %s from device_registry",
143
+ DOMAIN,
144
+ device_entry.model,
145
+ identifier[1],
146
+ )
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/diagnostics.py RENAMED
@@ -1,24 +1,17 @@
1
  """Diagnostics support for Plugwise."""
 
2
  from __future__ import annotations
3
 
4
  from typing import Any
5
 
6
- from homeassistant.config_entries import ConfigEntry
7
  from homeassistant.core import HomeAssistant
8
 
9
- from .const import COORDINATOR # pw-beta
10
- from .const import DOMAIN
11
- from .coordinator import PlugwiseDataUpdateCoordinator
12
 
13
 
14
  async def async_get_config_entry_diagnostics(
15
- hass: HomeAssistant, entry: ConfigEntry
16
  ) -> dict[str, Any]:
17
  """Return diagnostics for a config entry."""
18
- coordinator: PlugwiseDataUpdateCoordinator = hass.data[DOMAIN][entry.entry_id][
19
- COORDINATOR
20
- ]
21
- return {
22
- "gateway": coordinator.data.gateway,
23
- "devices": coordinator.data.devices,
24
- }
 
1
  """Diagnostics support for Plugwise."""
2
+
3
  from __future__ import annotations
4
 
5
  from typing import Any
6
 
 
7
  from homeassistant.core import HomeAssistant
8
 
9
+ from .coordinator import PlugwiseConfigEntry
 
 
10
 
11
 
12
  async def async_get_config_entry_diagnostics(
13
+ hass: HomeAssistant, entry: PlugwiseConfigEntry
14
  ) -> dict[str, Any]:
15
  """Return diagnostics for a config entry."""
16
+ coordinator = entry.runtime_data
17
+ return coordinator.data
 
 
 
 
 
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/entity.py RENAMED
@@ -1,14 +1,16 @@
1
  """Generic Plugwise Entity Class."""
 
2
  from __future__ import annotations
3
 
 
 
4
  from homeassistant.const import ATTR_NAME, ATTR_VIA_DEVICE, CONF_HOST
5
  from homeassistant.helpers.device_registry import (
6
  CONNECTION_NETWORK_MAC,
7
  CONNECTION_ZIGBEE,
 
8
  )
9
- from homeassistant.helpers.entity import DeviceInfo
10
  from homeassistant.helpers.update_coordinator import CoordinatorEntity
11
- from plugwise.constants import DeviceData
12
 
13
  from .const import DOMAIN
14
  from .coordinator import PlugwiseDataUpdateCoordinator
@@ -32,7 +34,7 @@
32
  if entry := self.coordinator.config_entry:
33
  configuration_url = f"http://{entry.data[CONF_HOST]}"
34
 
35
- data = coordinator.data.devices[device_id]
36
  connections = set()
37
  if mac := data.get("mac_address"):
38
  connections.add((CONNECTION_NETWORK_MAC, mac))
@@ -45,18 +47,19 @@
45
  connections=connections,
46
  manufacturer=data.get("vendor"),
47
  model=data.get("model"),
48
- name=coordinator.data.gateway["smile_name"],
 
49
  sw_version=data.get("firmware"),
50
  hw_version=data.get("hardware"),
51
  )
52
 
53
- if device_id != coordinator.data.gateway["gateway_id"]:
54
  self._attr_device_info.update(
55
  {
56
  ATTR_NAME: data.get("name"),
57
  ATTR_VIA_DEVICE: (
58
  DOMAIN,
59
- str(self.coordinator.data.gateway["gateway_id"]),
60
  ),
61
  }
62
  )
@@ -65,17 +68,12 @@
65
  def available(self) -> bool:
66
  """Return if entity is available."""
67
  return (
68
- self._dev_id in self.coordinator.data.devices
69
- and ("available" not in self.device or self.device["available"])
70
  and super().available
71
  )
72
 
73
  @property
74
- def device(self) -> DeviceData:
75
  """Return data for this device."""
76
- return self.coordinator.data.devices[self._dev_id]
77
-
78
- async def async_added_to_hass(self) -> None:
79
- """Subscribe to updates."""
80
- self._handle_coordinator_update()
81
- await super().async_added_to_hass()
 
1
  """Generic Plugwise Entity Class."""
2
+
3
  from __future__ import annotations
4
 
5
+ from plugwise.constants import GwEntityData
6
+
7
  from homeassistant.const import ATTR_NAME, ATTR_VIA_DEVICE, CONF_HOST
8
  from homeassistant.helpers.device_registry import (
9
  CONNECTION_NETWORK_MAC,
10
  CONNECTION_ZIGBEE,
11
+ DeviceInfo,
12
  )
 
13
  from homeassistant.helpers.update_coordinator import CoordinatorEntity
 
14
 
15
  from .const import DOMAIN
16
  from .coordinator import PlugwiseDataUpdateCoordinator
 
34
  if entry := self.coordinator.config_entry:
35
  configuration_url = f"http://{entry.data[CONF_HOST]}"
36
 
37
+ data = coordinator.data[device_id]
38
  connections = set()
39
  if mac := data.get("mac_address"):
40
  connections.add((CONNECTION_NETWORK_MAC, mac))
 
47
  connections=connections,
48
  manufacturer=data.get("vendor"),
49
  model=data.get("model"),
50
+ model_id=data.get("model_id"),
51
+ name=coordinator.api.smile_name,
52
  sw_version=data.get("firmware"),
53
  hw_version=data.get("hardware"),
54
  )
55
 
56
+ if device_id != coordinator.api.gateway_id:
57
  self._attr_device_info.update(
58
  {
59
  ATTR_NAME: data.get("name"),
60
  ATTR_VIA_DEVICE: (
61
  DOMAIN,
62
+ str(self.coordinator.api.gateway_id),
63
  ),
64
  }
65
  )
 
68
  def available(self) -> bool:
69
  """Return if entity is available."""
70
  return (
71
+ self._dev_id in self.coordinator.data
72
+ and ("available" not in self.device or self.device["available"] is True)
73
  and super().available
74
  )
75
 
76
  @property
77
+ def device(self) -> GwEntityData:
78
  """Return data for this device."""
79
+ return self.coordinator.data[self._dev_id]
 
 
 
 
 
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/manifest.json RENAMED
@@ -1,13 +1,13 @@
1
  {
2
  "domain": "plugwise",
3
- "name": "Plugwise Beta",
4
- "after_dependencies": ["usb", "zeroconf"],
5
- "codeowners": ["@CoMPaTech", "@bouwew", "@brefra"],
6
  "config_flow": true,
7
- "documentation": "https://github.com/plugwise/plugwise-beta",
8
  "integration_type": "hub",
9
  "iot_class": "local_polling",
10
  "loggers": ["plugwise"],
11
- "requirements": ["https://test-files.pythonhosted.org/packages/e0/8a/b52a039f503d6d076c6757c059bd6e9dba6cdd8c6a14dab5e4e8a64e07ef/plugwise-0.31.5a4.tar.gz#plugwise==0.31.5a4"],
12
- "version": "0.34.11a3"
 
13
  }
 
1
  {
2
  "domain": "plugwise",
3
+ "name": "Plugwise",
4
+ "codeowners": ["@CoMPaTech", "@bouwew"],
 
5
  "config_flow": true,
6
+ "documentation": "https://www.home-assistant.io/integrations/plugwise",
7
  "integration_type": "hub",
8
  "iot_class": "local_polling",
9
  "loggers": ["plugwise"],
10
+ "quality_scale": "platinum",
11
+ "requirements": ["plugwise==1.7.3"],
12
+ "zeroconf": ["_plugwise._tcp.local."]
13
  }
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/number.py RENAMED
@@ -1,7 +1,7 @@
1
  """Number platform for Plugwise integration."""
 
2
  from __future__ import annotations
3
 
4
- from collections.abc import Awaitable, Callable
5
  from dataclasses import dataclass
6
 
7
  from homeassistant.components.number import (
@@ -10,86 +10,73 @@
10
  NumberEntityDescription,
11
  NumberMode,
12
  )
13
- from homeassistant.config_entries import ConfigEntry
14
- from homeassistant.const import TEMP_CELSIUS, EntityCategory
15
- from homeassistant.core import HomeAssistant
16
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
17
- from plugwise import Smile
18
-
19
- from .const import COORDINATOR # pw-beta
20
- from .const import DOMAIN, LOGGER
21
- from .coordinator import PlugwiseDataUpdateCoordinator
22
- from .entity import PlugwiseEntity
23
-
24
 
25
- @dataclass
26
- class PlugwiseEntityDescriptionMixin:
27
- """Mixin values for Plugwse entities."""
 
28
 
29
- command: Callable[[Smile, str, float], Awaitable[None]]
30
 
31
 
32
- @dataclass
33
- class PlugwiseNumberEntityDescription(
34
- NumberEntityDescription, PlugwiseEntityDescriptionMixin
35
- ):
36
  """Class describing Plugwise Number entities."""
37
 
38
- native_max_value_key: str | None = None
39
- native_min_value_key: str | None = None
40
- native_step_key: str | None = None
41
- native_value_key: str | None = None
42
 
43
 
44
  NUMBER_TYPES = (
45
  PlugwiseNumberEntityDescription(
46
  key="maximum_boiler_temperature",
47
- command=lambda api, number, value: api.set_number_setpoint(number, value),
48
  device_class=NumberDeviceClass.TEMPERATURE,
49
- name="Maximum boiler temperature setpoint",
50
  entity_category=EntityCategory.CONFIG,
51
- native_max_value_key="upper_bound",
52
- native_min_value_key="lower_bound",
53
- native_step_key="resolution",
54
- native_unit_of_measurement=TEMP_CELSIUS,
55
- native_value_key="setpoint",
56
  ),
57
  PlugwiseNumberEntityDescription(
58
  key="max_dhw_temperature",
59
- command=lambda api, number, value: api.set_number_setpoint(number, value),
 
 
 
 
 
 
 
60
  device_class=NumberDeviceClass.TEMPERATURE,
61
- name="Domestic hot water setpoint",
62
  entity_category=EntityCategory.CONFIG,
63
- native_max_value_key="upper_bound",
64
- native_min_value_key="lower_bound",
65
- native_step_key="resolution",
66
- native_unit_of_measurement=TEMP_CELSIUS,
67
- native_value_key="setpoint",
68
  ),
69
  )
70
 
71
 
72
  async def async_setup_entry(
73
  hass: HomeAssistant,
74
- config_entry: ConfigEntry,
75
- async_add_entities: AddEntitiesCallback,
76
  ) -> None:
77
  """Set up Plugwise number platform."""
 
78
 
79
- coordinator: PlugwiseDataUpdateCoordinator = hass.data[DOMAIN][
80
- config_entry.entry_id
81
- ][COORDINATOR]
82
-
83
- entities: list[PlugwiseNumberEntity] = []
84
- for device_id, device in coordinator.data.devices.items():
85
- for description in NUMBER_TYPES:
86
- if description.key in device and "setpoint" in device[description.key]:
87
- entities.append(
88
- PlugwiseNumberEntity(coordinator, device_id, description)
89
- )
90
- LOGGER.debug("Add %s %s number", device["name"], description.name)
91
 
92
- async_add_entities(entities)
 
93
 
94
 
95
  class PlugwiseNumberEntity(PlugwiseEntity, NumberEntity):
@@ -105,47 +92,26 @@
105
  ) -> None:
106
  """Initiate Plugwise Number."""
107
  super().__init__(coordinator, device_id)
108
- self.entity_description = description
109
- self._attr_unique_id = f"{device_id}-{description.key}"
110
  self._attr_mode = NumberMode.BOX
 
 
 
 
 
111
 
112
- @property
113
- def native_step(self) -> float:
114
- """Return the setpoint step value."""
115
- return max(
116
- self.device[self.entity_description.key][
117
- self.entity_description.native_step_key
118
- ],
119
- 1,
120
- )
121
 
122
  @property
123
  def native_value(self) -> float:
124
  """Return the present setpoint value."""
125
- return self.device[self.entity_description.key][
126
- self.entity_description.native_value_key
127
- ]
128
-
129
- @property
130
- def native_min_value(self) -> float:
131
- """Return the setpoint min. value."""
132
- return self.device[self.entity_description.key][
133
- self.entity_description.native_min_value_key
134
- ]
135
-
136
- @property
137
- def native_max_value(self) -> float:
138
- """Return the setpoint max. value."""
139
- return self.device[self.entity_description.key][
140
- self.entity_description.native_max_value_key
141
- ]
142
 
 
143
  async def async_set_native_value(self, value: float) -> None:
144
  """Change to the new setpoint value."""
145
- await self.entity_description.command(
146
- self.coordinator.api, self.entity_description.key, value
147
- )
148
- LOGGER.debug(
149
- "Setting %s to %s was successful", self.entity_description.name, value
150
  )
151
- await self.coordinator.async_request_refresh()
 
1
  """Number platform for Plugwise integration."""
2
+
3
  from __future__ import annotations
4
 
 
5
  from dataclasses import dataclass
6
 
7
  from homeassistant.components.number import (
 
10
  NumberEntityDescription,
11
  NumberMode,
12
  )
13
+ from homeassistant.const import EntityCategory, UnitOfTemperature
14
+ from homeassistant.core import HomeAssistant, callback
15
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
 
 
 
 
 
 
 
 
16
 
17
+ from .const import NumberType
18
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
19
+ from .entity import PlugwiseEntity
20
+ from .util import plugwise_command
21
 
22
+ PARALLEL_UPDATES = 0
23
 
24
 
25
+ @dataclass(frozen=True, kw_only=True)
26
+ class PlugwiseNumberEntityDescription(NumberEntityDescription):
 
 
27
  """Class describing Plugwise Number entities."""
28
 
29
+ key: NumberType
 
 
 
30
 
31
 
32
  NUMBER_TYPES = (
33
  PlugwiseNumberEntityDescription(
34
  key="maximum_boiler_temperature",
35
+ translation_key="maximum_boiler_temperature",
36
  device_class=NumberDeviceClass.TEMPERATURE,
 
37
  entity_category=EntityCategory.CONFIG,
38
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
 
 
 
 
39
  ),
40
  PlugwiseNumberEntityDescription(
41
  key="max_dhw_temperature",
42
+ translation_key="max_dhw_temperature",
43
+ device_class=NumberDeviceClass.TEMPERATURE,
44
+ entity_category=EntityCategory.CONFIG,
45
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
46
+ ),
47
+ PlugwiseNumberEntityDescription(
48
+ key="temperature_offset",
49
+ translation_key="temperature_offset",
50
  device_class=NumberDeviceClass.TEMPERATURE,
 
51
  entity_category=EntityCategory.CONFIG,
52
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
 
 
 
 
53
  ),
54
  )
55
 
56
 
57
  async def async_setup_entry(
58
  hass: HomeAssistant,
59
+ entry: PlugwiseConfigEntry,
60
+ async_add_entities: AddConfigEntryEntitiesCallback,
61
  ) -> None:
62
  """Set up Plugwise number platform."""
63
+ coordinator = entry.runtime_data
64
 
65
+ @callback
66
+ def _add_entities() -> None:
67
+ """Add Entities."""
68
+ if not coordinator.new_devices:
69
+ return
70
+
71
+ async_add_entities(
72
+ PlugwiseNumberEntity(coordinator, device_id, description)
73
+ for device_id in coordinator.new_devices
74
+ for description in NUMBER_TYPES
75
+ if description.key in coordinator.data[device_id]
76
+ )
77
 
78
+ _add_entities()
79
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
80
 
81
 
82
  class PlugwiseNumberEntity(PlugwiseEntity, NumberEntity):
 
92
  ) -> None:
93
  """Initiate Plugwise Number."""
94
  super().__init__(coordinator, device_id)
 
 
95
  self._attr_mode = NumberMode.BOX
96
+ self._attr_native_max_value = self.device[description.key]["upper_bound"]
97
+ self._attr_native_min_value = self.device[description.key]["lower_bound"]
98
+ self._attr_unique_id = f"{device_id}-{description.key}"
99
+ self.device_id = device_id
100
+ self.entity_description = description
101
 
102
+ native_step = self.device[description.key]["resolution"]
103
+ if description.key != "temperature_offset":
104
+ native_step = max(native_step, 0.5)
105
+ self._attr_native_step = native_step
 
 
 
 
 
106
 
107
  @property
108
  def native_value(self) -> float:
109
  """Return the present setpoint value."""
110
+ return self.device[self.entity_description.key]["setpoint"]
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
111
 
112
+ @plugwise_command
113
  async def async_set_native_value(self, value: float) -> None:
114
  """Change to the new setpoint value."""
115
+ await self.coordinator.api.set_number(
116
+ self.device_id, self.entity_description.key, value
 
 
 
117
  )
 
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/select.py RENAMED
@@ -1,96 +1,80 @@
1
  """Plugwise Select component for Home Assistant."""
 
2
  from __future__ import annotations
3
 
4
- from collections.abc import Awaitable, Callable
5
  from dataclasses import dataclass
6
- from typing import Any
7
 
8
  from homeassistant.components.select import SelectEntity, SelectEntityDescription
9
- from homeassistant.config_entries import ConfigEntry
10
  from homeassistant.const import STATE_ON, EntityCategory
11
- from homeassistant.core import HomeAssistant
12
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
13
- from plugwise import Smile
14
-
15
- from .const import COORDINATOR # pw-beta
16
- from .const import DOMAIN, LOGGER
17
- from .coordinator import PlugwiseDataUpdateCoordinator
18
  from .entity import PlugwiseEntity
 
19
 
20
  PARALLEL_UPDATES = 0
21
 
22
 
23
- @dataclass
24
- class PlugwiseSelectDescriptionMixin:
25
- """Mixin values for Plugwise Select entities."""
26
-
27
- command: Callable[[Smile, str, str], Awaitable[Any]]
28
- current_option_key: str
29
- options_key: str
30
-
31
 
32
- @dataclass
33
- class PlugwiseSelectEntityDescription(
34
- SelectEntityDescription, PlugwiseSelectDescriptionMixin
35
- ):
36
- """Class describing Plugwise Number entities."""
37
 
38
 
39
  SELECT_TYPES = (
40
  PlugwiseSelectEntityDescription(
41
  key="select_schedule",
42
- name="Thermostat schedule",
43
- icon="mdi:calendar-clock",
44
- command=lambda api, loc, opt: api.set_schedule_state(loc, opt, STATE_ON),
45
- current_option_key="selected_schedule",
46
  options_key="available_schedules",
47
  ),
48
  PlugwiseSelectEntityDescription(
49
  key="select_regulation_mode",
50
- name="Regulation mode",
51
- icon="mdi:hvac",
52
- entity_category=EntityCategory.CONFIG,
53
  translation_key="regulation_mode",
54
- command=lambda api, loc, opt: api.set_regulation_mode(opt),
55
- current_option_key="regulation_mode",
56
  options_key="regulation_modes",
57
  ),
58
  PlugwiseSelectEntityDescription(
59
  key="select_dhw_mode",
60
- name="DHW mode",
61
- icon="mdi:shower",
62
- entity_category=EntityCategory.CONFIG,
63
  translation_key="dhw_mode",
64
- command=lambda api, loc, opt: api.set_dhw_mode(opt),
65
- current_option_key="dhw_mode",
66
  options_key="dhw_modes",
67
  ),
 
 
 
 
 
 
68
  )
69
 
70
 
71
  async def async_setup_entry(
72
  hass: HomeAssistant,
73
- config_entry: ConfigEntry,
74
- async_add_entities: AddEntitiesCallback,
75
  ) -> None:
76
  """Set up the Smile selector from a config entry."""
77
- coordinator: PlugwiseDataUpdateCoordinator = hass.data[DOMAIN][
78
- config_entry.entry_id
79
- ][COORDINATOR]
80
-
81
- entities: list[PlugwiseSelectEntity] = []
82
- for device_id, device in coordinator.data.devices.items():
83
- for description in SELECT_TYPES:
84
- if (
85
- description.options_key in device
86
- and len(device[description.options_key]) > 1
87
- ):
88
- entities.append(
89
- PlugwiseSelectEntity(coordinator, device_id, description)
90
- )
91
- LOGGER.debug("Add %s %s selector", device["name"], description.name)
92
 
93
- async_add_entities(entities)
 
94
 
95
 
96
  class PlugwiseSelectEntity(PlugwiseEntity, SelectEntity):
@@ -106,27 +90,29 @@
106
  ) -> None:
107
  """Initialise the selector."""
108
  super().__init__(coordinator, device_id)
109
- self.entity_description = entity_description
110
  self._attr_unique_id = f"{device_id}-{entity_description.key}"
 
 
 
 
 
111
 
112
  @property
113
  def current_option(self) -> str:
114
  """Return the selected entity option to represent the entity state."""
115
- return self.device[self.entity_description.current_option_key]
116
 
117
  @property
118
  def options(self) -> list[str]:
119
- """Return the selectable entity options."""
120
  return self.device[self.entity_description.options_key]
121
 
 
122
  async def async_select_option(self, option: str) -> None:
123
- """Change to the selected entity option."""
124
- await self.entity_description.command(
125
- self.coordinator.api, self.device["location"], option
126
- )
127
- LOGGER.debug(
128
- "Set %s to %s was successful.",
129
- self.entity_description.name,
130
- option,
131
  )
132
- await self.coordinator.async_request_refresh()
 
1
  """Plugwise Select component for Home Assistant."""
2
+
3
  from __future__ import annotations
4
 
 
5
  from dataclasses import dataclass
 
6
 
7
  from homeassistant.components.select import SelectEntity, SelectEntityDescription
 
8
  from homeassistant.const import STATE_ON, EntityCategory
9
+ from homeassistant.core import HomeAssistant, callback
10
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
11
+
12
+ from .const import SelectOptionsType, SelectType
13
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
 
 
14
  from .entity import PlugwiseEntity
15
+ from .util import plugwise_command
16
 
17
  PARALLEL_UPDATES = 0
18
 
19
 
20
+ @dataclass(frozen=True, kw_only=True)
21
+ class PlugwiseSelectEntityDescription(SelectEntityDescription):
22
+ """Class describing Plugwise Select entities."""
 
 
 
 
 
23
 
24
+ key: SelectType
25
+ options_key: SelectOptionsType
 
 
 
26
 
27
 
28
  SELECT_TYPES = (
29
  PlugwiseSelectEntityDescription(
30
  key="select_schedule",
31
+ translation_key="select_schedule",
 
 
 
32
  options_key="available_schedules",
33
  ),
34
  PlugwiseSelectEntityDescription(
35
  key="select_regulation_mode",
 
 
 
36
  translation_key="regulation_mode",
37
+ entity_category=EntityCategory.CONFIG,
 
38
  options_key="regulation_modes",
39
  ),
40
  PlugwiseSelectEntityDescription(
41
  key="select_dhw_mode",
 
 
 
42
  translation_key="dhw_mode",
43
+ entity_category=EntityCategory.CONFIG,
 
44
  options_key="dhw_modes",
45
  ),
46
+ PlugwiseSelectEntityDescription(
47
+ key="select_gateway_mode",
48
+ translation_key="gateway_mode",
49
+ entity_category=EntityCategory.CONFIG,
50
+ options_key="gateway_modes",
51
+ ),
52
  )
53
 
54
 
55
  async def async_setup_entry(
56
  hass: HomeAssistant,
57
+ entry: PlugwiseConfigEntry,
58
+ async_add_entities: AddConfigEntryEntitiesCallback,
59
  ) -> None:
60
  """Set up the Smile selector from a config entry."""
61
+ coordinator = entry.runtime_data
62
+
63
+ @callback
64
+ def _add_entities() -> None:
65
+ """Add Entities."""
66
+ if not coordinator.new_devices:
67
+ return
68
+
69
+ async_add_entities(
70
+ PlugwiseSelectEntity(coordinator, device_id, description)
71
+ for device_id in coordinator.new_devices
72
+ for description in SELECT_TYPES
73
+ if description.options_key in coordinator.data[device_id]
74
+ )
 
75
 
76
+ _add_entities()
77
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
78
 
79
 
80
  class PlugwiseSelectEntity(PlugwiseEntity, SelectEntity):
 
90
  ) -> None:
91
  """Initialise the selector."""
92
  super().__init__(coordinator, device_id)
 
93
  self._attr_unique_id = f"{device_id}-{entity_description.key}"
94
+ self.entity_description = entity_description
95
+
96
+ self._location = device_id
97
+ if (location := self.device.get("location")) is not None:
98
+ self._location = location
99
 
100
  @property
101
  def current_option(self) -> str:
102
  """Return the selected entity option to represent the entity state."""
103
+ return self.device[self.entity_description.key]
104
 
105
  @property
106
  def options(self) -> list[str]:
107
+ """Return the available select-options."""
108
  return self.device[self.entity_description.options_key]
109
 
110
+ @plugwise_command
111
  async def async_select_option(self, option: str) -> None:
112
+ """Change to the selected entity option.
113
+
114
+ self._location and STATE_ON are required for the thermostat-schedule select.
115
+ """
116
+ await self.coordinator.api.set_select(
117
+ self.entity_description.key, self._location, option, STATE_ON
 
 
118
  )
 
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/sensor.py RENAMED
@@ -1,52 +1,438 @@
1
  """Plugwise Sensor component for Home Assistant."""
 
2
  from __future__ import annotations
3
 
4
- from homeassistant.components.sensor import SensorEntity
5
- from homeassistant.config_entries import ConfigEntry
6
- from homeassistant.core import HomeAssistant
7
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
8
 
9
- from .const import COORDINATOR, DOMAIN, LOGGER
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
10
 
11
- from .coordinator import PlugwiseDataUpdateCoordinator
12
  from .entity import PlugwiseEntity
13
- from .models import PW_SENSOR_TYPES, PlugwiseSensorEntityDescription
14
 
 
15
  PARALLEL_UPDATES = 0
16
 
17
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
18
  async def async_setup_entry(
19
  hass: HomeAssistant,
20
- config_entry: ConfigEntry,
21
- async_add_entities: AddEntitiesCallback,
22
  ) -> None:
23
  """Set up the Smile sensors from a config entry."""
24
- coordinator = hass.data[DOMAIN][config_entry.entry_id][COORDINATOR]
25
 
26
- entities: list[PlugwiseSensorEntity] = []
27
- for device_id, device in coordinator.data.devices.items():
28
- for description in PW_SENSOR_TYPES:
29
- if (
30
- "sensors" not in device
31
- or device["sensors"].get(description.key) is None
32
- ):
33
- continue
34
-
35
- entities.append(
36
- PlugwiseSensorEntity(
37
- coordinator,
38
- device_id,
39
- description,
40
- )
41
- )
42
- LOGGER.debug("Add %s sensor", description.key)
43
 
44
- async_add_entities(entities)
 
45
 
46
 
47
  class PlugwiseSensorEntity(PlugwiseEntity, SensorEntity):
48
  """Represent Plugwise Sensors."""
49
 
 
 
50
  def __init__(
51
  self,
52
  coordinator: PlugwiseDataUpdateCoordinator,
@@ -55,10 +441,10 @@
55
  ) -> None:
56
  """Initialise the sensor."""
57
  super().__init__(coordinator, device_id)
58
- self.entity_description = description
59
  self._attr_unique_id = f"{device_id}-{description.key}"
 
60
 
61
  @property
62
- def native_value(self) -> int | float | None:
63
  """Return the value reported by the sensor."""
64
- return self.device["sensors"].get(self.entity_description.key)
 
1
  """Plugwise Sensor component for Home Assistant."""
2
+
3
  from __future__ import annotations
4
 
5
+ from dataclasses import dataclass
6
+
7
+ from plugwise.constants import SensorType
 
8
 
9
+ from homeassistant.components.sensor import (
10
+ SensorDeviceClass,
11
+ SensorEntity,
12
+ SensorEntityDescription,
13
+ SensorStateClass,
14
+ )
15
+ from homeassistant.const import (
16
+ LIGHT_LUX,
17
+ PERCENTAGE,
18
+ EntityCategory,
19
+ UnitOfElectricPotential,
20
+ UnitOfEnergy,
21
+ UnitOfPower,
22
+ UnitOfPressure,
23
+ UnitOfTemperature,
24
+ UnitOfVolume,
25
+ UnitOfVolumeFlowRate,
26
+ )
27
+ from homeassistant.core import HomeAssistant, callback
28
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
29
 
30
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
31
  from .entity import PlugwiseEntity
 
32
 
33
+ # Coordinator is used to centralize the data updates
34
  PARALLEL_UPDATES = 0
35
 
36
 
37
+ @dataclass(frozen=True)
38
+ class PlugwiseSensorEntityDescription(SensorEntityDescription):
39
+ """Describes Plugwise sensor entity."""
40
+
41
+ key: SensorType
42
+
43
+
44
+ SENSORS: tuple[PlugwiseSensorEntityDescription, ...] = (
45
+ PlugwiseSensorEntityDescription(
46
+ key="setpoint",
47
+ translation_key="setpoint",
48
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
49
+ device_class=SensorDeviceClass.TEMPERATURE,
50
+ state_class=SensorStateClass.MEASUREMENT,
51
+ entity_category=EntityCategory.DIAGNOSTIC,
52
+ ),
53
+ PlugwiseSensorEntityDescription(
54
+ key="setpoint_high",
55
+ translation_key="cooling_setpoint",
56
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
57
+ device_class=SensorDeviceClass.TEMPERATURE,
58
+ state_class=SensorStateClass.MEASUREMENT,
59
+ entity_category=EntityCategory.DIAGNOSTIC,
60
+ ),
61
+ PlugwiseSensorEntityDescription(
62
+ key="setpoint_low",
63
+ translation_key="heating_setpoint",
64
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
65
+ device_class=SensorDeviceClass.TEMPERATURE,
66
+ state_class=SensorStateClass.MEASUREMENT,
67
+ entity_category=EntityCategory.DIAGNOSTIC,
68
+ ),
69
+ PlugwiseSensorEntityDescription(
70
+ key="temperature",
71
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
72
+ device_class=SensorDeviceClass.TEMPERATURE,
73
+ entity_category=EntityCategory.DIAGNOSTIC,
74
+ state_class=SensorStateClass.MEASUREMENT,
75
+ ),
76
+ PlugwiseSensorEntityDescription(
77
+ key="intended_boiler_temperature",
78
+ translation_key="intended_boiler_temperature",
79
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
80
+ device_class=SensorDeviceClass.TEMPERATURE,
81
+ entity_category=EntityCategory.DIAGNOSTIC,
82
+ state_class=SensorStateClass.MEASUREMENT,
83
+ ),
84
+ PlugwiseSensorEntityDescription(
85
+ key="temperature_difference",
86
+ translation_key="temperature_difference",
87
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
88
+ device_class=SensorDeviceClass.TEMPERATURE,
89
+ entity_category=EntityCategory.DIAGNOSTIC,
90
+ state_class=SensorStateClass.MEASUREMENT,
91
+ ),
92
+ PlugwiseSensorEntityDescription(
93
+ key="outdoor_temperature",
94
+ translation_key="outdoor_temperature",
95
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
96
+ device_class=SensorDeviceClass.TEMPERATURE,
97
+ state_class=SensorStateClass.MEASUREMENT,
98
+ ),
99
+ PlugwiseSensorEntityDescription(
100
+ key="outdoor_air_temperature",
101
+ translation_key="outdoor_air_temperature",
102
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
103
+ device_class=SensorDeviceClass.TEMPERATURE,
104
+ entity_category=EntityCategory.DIAGNOSTIC,
105
+ state_class=SensorStateClass.MEASUREMENT,
106
+ ),
107
+ PlugwiseSensorEntityDescription(
108
+ key="water_temperature",
109
+ translation_key="water_temperature",
110
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
111
+ device_class=SensorDeviceClass.TEMPERATURE,
112
+ entity_category=EntityCategory.DIAGNOSTIC,
113
+ state_class=SensorStateClass.MEASUREMENT,
114
+ ),
115
+ PlugwiseSensorEntityDescription(
116
+ key="return_temperature",
117
+ translation_key="return_temperature",
118
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
119
+ device_class=SensorDeviceClass.TEMPERATURE,
120
+ entity_category=EntityCategory.DIAGNOSTIC,
121
+ state_class=SensorStateClass.MEASUREMENT,
122
+ ),
123
+ PlugwiseSensorEntityDescription(
124
+ key="electricity_consumed",
125
+ translation_key="electricity_consumed",
126
+ native_unit_of_measurement=UnitOfPower.WATT,
127
+ device_class=SensorDeviceClass.POWER,
128
+ state_class=SensorStateClass.MEASUREMENT,
129
+ ),
130
+ PlugwiseSensorEntityDescription(
131
+ key="electricity_produced",
132
+ translation_key="electricity_produced",
133
+ native_unit_of_measurement=UnitOfPower.WATT,
134
+ device_class=SensorDeviceClass.POWER,
135
+ state_class=SensorStateClass.MEASUREMENT,
136
+ entity_registry_enabled_default=False,
137
+ ),
138
+ PlugwiseSensorEntityDescription(
139
+ key="electricity_consumed_interval",
140
+ translation_key="electricity_consumed_interval",
141
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
142
+ device_class=SensorDeviceClass.ENERGY,
143
+ state_class=SensorStateClass.TOTAL,
144
+ ),
145
+ PlugwiseSensorEntityDescription(
146
+ key="electricity_consumed_peak_interval",
147
+ translation_key="electricity_consumed_peak_interval",
148
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
149
+ device_class=SensorDeviceClass.ENERGY,
150
+ state_class=SensorStateClass.TOTAL,
151
+ ),
152
+ PlugwiseSensorEntityDescription(
153
+ key="electricity_consumed_off_peak_interval",
154
+ translation_key="electricity_consumed_off_peak_interval",
155
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
156
+ device_class=SensorDeviceClass.ENERGY,
157
+ state_class=SensorStateClass.TOTAL,
158
+ ),
159
+ PlugwiseSensorEntityDescription(
160
+ key="electricity_produced_interval",
161
+ translation_key="electricity_produced_interval",
162
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
163
+ device_class=SensorDeviceClass.ENERGY,
164
+ state_class=SensorStateClass.TOTAL,
165
+ entity_registry_enabled_default=False,
166
+ ),
167
+ PlugwiseSensorEntityDescription(
168
+ key="electricity_produced_peak_interval",
169
+ translation_key="electricity_produced_peak_interval",
170
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
171
+ device_class=SensorDeviceClass.ENERGY,
172
+ state_class=SensorStateClass.TOTAL,
173
+ ),
174
+ PlugwiseSensorEntityDescription(
175
+ key="electricity_produced_off_peak_interval",
176
+ translation_key="electricity_produced_off_peak_interval",
177
+ native_unit_of_measurement=UnitOfEnergy.WATT_HOUR,
178
+ device_class=SensorDeviceClass.ENERGY,
179
+ state_class=SensorStateClass.TOTAL,
180
+ ),
181
+ PlugwiseSensorEntityDescription(
182
+ key="electricity_consumed_point",
183
+ translation_key="electricity_consumed_point",
184
+ device_class=SensorDeviceClass.POWER,
185
+ native_unit_of_measurement=UnitOfPower.WATT,
186
+ state_class=SensorStateClass.MEASUREMENT,
187
+ ),
188
+ PlugwiseSensorEntityDescription(
189
+ key="electricity_consumed_off_peak_point",
190
+ translation_key="electricity_consumed_off_peak_point",
191
+ native_unit_of_measurement=UnitOfPower.WATT,
192
+ device_class=SensorDeviceClass.POWER,
193
+ state_class=SensorStateClass.MEASUREMENT,
194
+ ),
195
+ PlugwiseSensorEntityDescription(
196
+ key="electricity_consumed_peak_point",
197
+ translation_key="electricity_consumed_peak_point",
198
+ native_unit_of_measurement=UnitOfPower.WATT,
199
+ device_class=SensorDeviceClass.POWER,
200
+ state_class=SensorStateClass.MEASUREMENT,
201
+ ),
202
+ PlugwiseSensorEntityDescription(
203
+ key="electricity_consumed_off_peak_cumulative",
204
+ translation_key="electricity_consumed_off_peak_cumulative",
205
+ native_unit_of_measurement=UnitOfEnergy.KILO_WATT_HOUR,
206
+ device_class=SensorDeviceClass.ENERGY,
207
+ state_class=SensorStateClass.TOTAL_INCREASING,
208
+ ),
209
+ PlugwiseSensorEntityDescription(
210
+ key="electricity_consumed_peak_cumulative",
211
+ translation_key="electricity_consumed_peak_cumulative",
212
+ native_unit_of_measurement=UnitOfEnergy.KILO_WATT_HOUR,
213
+ device_class=SensorDeviceClass.ENERGY,
214
+ state_class=SensorStateClass.TOTAL_INCREASING,
215
+ ),
216
+ PlugwiseSensorEntityDescription(
217
+ key="electricity_produced_point",
218
+ translation_key="electricity_produced_point",
219
+ device_class=SensorDeviceClass.POWER,
220
+ native_unit_of_measurement=UnitOfPower.WATT,
221
+ state_class=SensorStateClass.MEASUREMENT,
222
+ ),
223
+ PlugwiseSensorEntityDescription(
224
+ key="electricity_produced_off_peak_point",
225
+ translation_key="electricity_produced_off_peak_point",
226
+ native_unit_of_measurement=UnitOfPower.WATT,
227
+ device_class=SensorDeviceClass.POWER,
228
+ state_class=SensorStateClass.MEASUREMENT,
229
+ ),
230
+ PlugwiseSensorEntityDescription(
231
+ key="electricity_produced_peak_point",
232
+ translation_key="electricity_produced_peak_point",
233
+ native_unit_of_measurement=UnitOfPower.WATT,
234
+ device_class=SensorDeviceClass.POWER,
235
+ state_class=SensorStateClass.MEASUREMENT,
236
+ ),
237
+ PlugwiseSensorEntityDescription(
238
+ key="electricity_produced_off_peak_cumulative",
239
+ translation_key="electricity_produced_off_peak_cumulative",
240
+ native_unit_of_measurement=UnitOfEnergy.KILO_WATT_HOUR,
241
+ device_class=SensorDeviceClass.ENERGY,
242
+ state_class=SensorStateClass.TOTAL_INCREASING,
243
+ ),
244
+ PlugwiseSensorEntityDescription(
245
+ key="electricity_produced_peak_cumulative",
246
+ translation_key="electricity_produced_peak_cumulative",
247
+ native_unit_of_measurement=UnitOfEnergy.KILO_WATT_HOUR,
248
+ device_class=SensorDeviceClass.ENERGY,
249
+ state_class=SensorStateClass.TOTAL_INCREASING,
250
+ ),
251
+ PlugwiseSensorEntityDescription(
252
+ key="electricity_phase_one_consumed",
253
+ translation_key="electricity_phase_one_consumed",
254
+ device_class=SensorDeviceClass.POWER,
255
+ native_unit_of_measurement=UnitOfPower.WATT,
256
+ state_class=SensorStateClass.MEASUREMENT,
257
+ ),
258
+ PlugwiseSensorEntityDescription(
259
+ key="electricity_phase_two_consumed",
260
+ translation_key="electricity_phase_two_consumed",
261
+ device_class=SensorDeviceClass.POWER,
262
+ native_unit_of_measurement=UnitOfPower.WATT,
263
+ state_class=SensorStateClass.MEASUREMENT,
264
+ ),
265
+ PlugwiseSensorEntityDescription(
266
+ key="electricity_phase_three_consumed",
267
+ translation_key="electricity_phase_three_consumed",
268
+ device_class=SensorDeviceClass.POWER,
269
+ native_unit_of_measurement=UnitOfPower.WATT,
270
+ state_class=SensorStateClass.MEASUREMENT,
271
+ ),
272
+ PlugwiseSensorEntityDescription(
273
+ key="electricity_phase_one_produced",
274
+ translation_key="electricity_phase_one_produced",
275
+ device_class=SensorDeviceClass.POWER,
276
+ native_unit_of_measurement=UnitOfPower.WATT,
277
+ state_class=SensorStateClass.MEASUREMENT,
278
+ ),
279
+ PlugwiseSensorEntityDescription(
280
+ key="electricity_phase_two_produced",
281
+ translation_key="electricity_phase_two_produced",
282
+ device_class=SensorDeviceClass.POWER,
283
+ native_unit_of_measurement=UnitOfPower.WATT,
284
+ state_class=SensorStateClass.MEASUREMENT,
285
+ ),
286
+ PlugwiseSensorEntityDescription(
287
+ key="electricity_phase_three_produced",
288
+ translation_key="electricity_phase_three_produced",
289
+ device_class=SensorDeviceClass.POWER,
290
+ native_unit_of_measurement=UnitOfPower.WATT,
291
+ state_class=SensorStateClass.MEASUREMENT,
292
+ ),
293
+ PlugwiseSensorEntityDescription(
294
+ key="voltage_phase_one",
295
+ translation_key="voltage_phase_one",
296
+ device_class=SensorDeviceClass.VOLTAGE,
297
+ native_unit_of_measurement=UnitOfElectricPotential.VOLT,
298
+ state_class=SensorStateClass.MEASUREMENT,
299
+ entity_registry_enabled_default=False,
300
+ ),
301
+ PlugwiseSensorEntityDescription(
302
+ key="voltage_phase_two",
303
+ translation_key="voltage_phase_two",
304
+ device_class=SensorDeviceClass.VOLTAGE,
305
+ native_unit_of_measurement=UnitOfElectricPotential.VOLT,
306
+ state_class=SensorStateClass.MEASUREMENT,
307
+ entity_registry_enabled_default=False,
308
+ ),
309
+ PlugwiseSensorEntityDescription(
310
+ key="voltage_phase_three",
311
+ translation_key="voltage_phase_three",
312
+ device_class=SensorDeviceClass.VOLTAGE,
313
+ native_unit_of_measurement=UnitOfElectricPotential.VOLT,
314
+ state_class=SensorStateClass.MEASUREMENT,
315
+ entity_registry_enabled_default=False,
316
+ ),
317
+ PlugwiseSensorEntityDescription(
318
+ key="gas_consumed_interval",
319
+ translation_key="gas_consumed_interval",
320
+ native_unit_of_measurement=UnitOfVolumeFlowRate.CUBIC_METERS_PER_HOUR,
321
+ state_class=SensorStateClass.MEASUREMENT,
322
+ ),
323
+ PlugwiseSensorEntityDescription(
324
+ key="gas_consumed_cumulative",
325
+ translation_key="gas_consumed_cumulative",
326
+ native_unit_of_measurement=UnitOfVolume.CUBIC_METERS,
327
+ device_class=SensorDeviceClass.GAS,
328
+ state_class=SensorStateClass.TOTAL,
329
+ ),
330
+ PlugwiseSensorEntityDescription(
331
+ key="net_electricity_point",
332
+ translation_key="net_electricity_point",
333
+ native_unit_of_measurement=UnitOfPower.WATT,
334
+ device_class=SensorDeviceClass.POWER,
335
+ state_class=SensorStateClass.MEASUREMENT,
336
+ ),
337
+ PlugwiseSensorEntityDescription(
338
+ key="net_electricity_cumulative",
339
+ translation_key="net_electricity_cumulative",
340
+ native_unit_of_measurement=UnitOfEnergy.KILO_WATT_HOUR,
341
+ device_class=SensorDeviceClass.ENERGY,
342
+ state_class=SensorStateClass.TOTAL,
343
+ ),
344
+ PlugwiseSensorEntityDescription(
345
+ key="battery",
346
+ native_unit_of_measurement=PERCENTAGE,
347
+ device_class=SensorDeviceClass.BATTERY,
348
+ entity_category=EntityCategory.DIAGNOSTIC,
349
+ state_class=SensorStateClass.MEASUREMENT,
350
+ ),
351
+ PlugwiseSensorEntityDescription(
352
+ key="illuminance",
353
+ native_unit_of_measurement=LIGHT_LUX,
354
+ device_class=SensorDeviceClass.ILLUMINANCE,
355
+ state_class=SensorStateClass.MEASUREMENT,
356
+ entity_category=EntityCategory.DIAGNOSTIC,
357
+ ),
358
+ PlugwiseSensorEntityDescription(
359
+ key="modulation_level",
360
+ translation_key="modulation_level",
361
+ native_unit_of_measurement=PERCENTAGE,
362
+ entity_category=EntityCategory.DIAGNOSTIC,
363
+ state_class=SensorStateClass.MEASUREMENT,
364
+ ),
365
+ PlugwiseSensorEntityDescription(
366
+ key="valve_position",
367
+ translation_key="valve_position",
368
+ entity_category=EntityCategory.DIAGNOSTIC,
369
+ native_unit_of_measurement=PERCENTAGE,
370
+ state_class=SensorStateClass.MEASUREMENT,
371
+ ),
372
+ PlugwiseSensorEntityDescription(
373
+ key="water_pressure",
374
+ translation_key="water_pressure",
375
+ native_unit_of_measurement=UnitOfPressure.BAR,
376
+ device_class=SensorDeviceClass.PRESSURE,
377
+ entity_category=EntityCategory.DIAGNOSTIC,
378
+ state_class=SensorStateClass.MEASUREMENT,
379
+ ),
380
+ PlugwiseSensorEntityDescription(
381
+ key="humidity",
382
+ native_unit_of_measurement=PERCENTAGE,
383
+ device_class=SensorDeviceClass.HUMIDITY,
384
+ state_class=SensorStateClass.MEASUREMENT,
385
+ ),
386
+ PlugwiseSensorEntityDescription(
387
+ key="dhw_temperature",
388
+ translation_key="dhw_temperature",
389
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
390
+ device_class=SensorDeviceClass.TEMPERATURE,
391
+ entity_category=EntityCategory.DIAGNOSTIC,
392
+ state_class=SensorStateClass.MEASUREMENT,
393
+ ),
394
+ PlugwiseSensorEntityDescription(
395
+ key="domestic_hot_water_setpoint",
396
+ translation_key="domestic_hot_water_setpoint",
397
+ native_unit_of_measurement=UnitOfTemperature.CELSIUS,
398
+ device_class=SensorDeviceClass.TEMPERATURE,
399
+ entity_category=EntityCategory.DIAGNOSTIC,
400
+ state_class=SensorStateClass.MEASUREMENT,
401
+ ),
402
+ )
403
+
404
+
405
  async def async_setup_entry(
406
  hass: HomeAssistant,
407
+ entry: PlugwiseConfigEntry,
408
+ async_add_entities: AddConfigEntryEntitiesCallback,
409
  ) -> None:
410
  """Set up the Smile sensors from a config entry."""
411
+ coordinator = entry.runtime_data
412
 
413
+ @callback
414
+ def _add_entities() -> None:
415
+ """Add Entities."""
416
+ if not coordinator.new_devices:
417
+ return
418
+
419
+ async_add_entities(
420
+ PlugwiseSensorEntity(coordinator, device_id, description)
421
+ for device_id in coordinator.new_devices
422
+ if (sensors := coordinator.data[device_id].get("sensors"))
423
+ for description in SENSORS
424
+ if description.key in sensors
425
+ )
 
 
 
 
426
 
427
+ _add_entities()
428
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
429
 
430
 
431
  class PlugwiseSensorEntity(PlugwiseEntity, SensorEntity):
432
  """Represent Plugwise Sensors."""
433
 
434
+ entity_description: PlugwiseSensorEntityDescription
435
+
436
  def __init__(
437
  self,
438
  coordinator: PlugwiseDataUpdateCoordinator,
 
441
  ) -> None:
442
  """Initialise the sensor."""
443
  super().__init__(coordinator, device_id)
 
444
  self._attr_unique_id = f"{device_id}-{description.key}"
445
+ self.entity_description = description
446
 
447
  @property
448
+ def native_value(self) -> int | float:
449
  """Return the value reported by the sensor."""
450
+ return self.device["sensors"][self.entity_description.key]
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/strings.json RENAMED
@@ -1,103 +1,324 @@
1
  {
2
- "options": {
3
- "step": {
4
- "none": {
5
- "title": "No Options available",
6
- "description": "This Integration does not provide any Options"
7
- },
8
- "init": {
9
- "description": "Adjust Smile/Stretch Options",
10
- "data": {
11
- "cooling_on": "Anna: cooling-mode is on",
12
- "scan_interval": "Scan Interval (seconds)",
13
- "homekit_emulation": "Homekit emulation (i.e. on hvac_off => Away)",
14
- "refresh_interval": "Frontend refresh-time (1.5 - 5 seconds)"
15
- }
16
- }
17
- }
18
- },
19
  "config": {
20
  "step": {
21
- "user": {
22
- "title": "Plugwise connection type",
23
- "description": "Please select:",
24
- "data": {
25
- "flow_type": "Connection type"
26
- }
27
- },
28
- "user_gateway": {
29
- "title": "Connect to the Plugwise Adam/Smile/Stretch",
30
- "description": "Please enter:",
31
- "data": {
32
- "password": "ID",
33
- "username": "Username",
34
- "host": "IP-address",
35
- "port": "Port number"
36
- }
37
- },
38
- "user_usb": {
39
- "title": "Connect to Plugwise Stick",
40
- "description": "Please enter:",
41
  "data": {
42
- "usb_path": "[%key:common::config_flow::data::usb_path%]"
 
 
 
 
 
43
  }
44
  },
45
- "manual_path": {
 
 
46
  "data": {
47
- "usb_path": "[%key:common::config_flow::data::usb_path%]"
 
 
 
 
 
 
 
 
 
48
  }
49
  }
50
  },
51
  "error": {
52
  "cannot_connect": "[%key:common::config_flow::error::cannot_connect%]",
53
- "invalid_auth": "Authentication failed",
54
  "invalid_setup": "Add your Adam instead of your Anna, see the documentation",
55
- "network_down": "Plugwise Zigbee network is down",
56
- "network_timeout": "Network communication timeout",
57
  "response_error": "Invalid XML data, or error indication received",
58
- "stick_init": "Initialization of Plugwise USB-stick failed",
59
  "unknown": "[%key:common::config_flow::error::unknown%]",
60
  "unsupported": "Device with unsupported firmware"
61
  },
62
  "abort": {
63
  "already_configured": "[%key:common::config_flow::abort::already_configured_service%]",
64
- "anna_with_adam": "Both Anna and Adam detected. Add your Adam instead of your Anna"
 
 
65
  }
66
  },
67
  "entity": {
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
68
  "climate": {
69
  "plugwise": {
70
  "state_attributes": {
 
 
 
71
  "preset_mode": {
72
  "state": {
73
  "asleep": "Night",
74
- "away": "Away",
75
- "home": "Home",
76
  "no_frost": "Anti-frost",
77
  "vacation": "Vacation"
78
  }
 
 
 
79
  }
80
  }
81
  }
82
  },
 
 
 
 
 
 
 
 
 
 
 
83
  "select": {
84
  "dhw_mode": {
 
85
  "state": {
86
- "off": "Off",
87
- "auto": "Auto",
88
- "boost": "Boost",
89
- "comfort": "Comfort"
 
 
 
 
 
 
 
 
90
  }
91
  },
92
  "regulation_mode": {
 
93
  "state": {
94
  "bleeding_cold": "Bleeding cold",
95
  "bleeding_hot": "Bleeding hot",
96
- "cooling": "Cooling",
97
- "heating": "Heating",
98
- "off": "Off"
 
 
 
 
 
 
99
  }
100
  }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
101
  }
102
  }
103
  }
 
1
  {
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
2
  "config": {
3
  "step": {
4
+ "reconfigure": {
5
+ "description": "Update configuration for {title}.",
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
6
  "data": {
7
+ "host": "[%key:common::config_flow::data::ip%]",
8
+ "port": "[%key:common::config_flow::data::port%]"
9
+ },
10
+ "data_description": {
11
+ "host": "[%key:component::plugwise::config::step::user::data_description::host%]",
12
+ "port": "[%key:component::plugwise::config::step::user::data_description::port%]"
13
  }
14
  },
15
+ "user": {
16
+ "title": "Connect to the Smile",
17
+ "description": "Please enter",
18
  "data": {
19
+ "host": "[%key:common::config_flow::data::ip%]",
20
+ "password": "Smile ID",
21
+ "port": "[%key:common::config_flow::data::port%]",
22
+ "username": "Smile username"
23
+ },
24
+ "data_description": {
25
+ "password": "The Smile ID printed on the label on the back of your Adam, Smile-T, or P1.",
26
+ "host": "The hostname or IP-address of your Smile. You can find it in your router or the Plugwise app.",
27
+ "port": "By default your Smile uses port 80, normally you should not have to change this.",
28
+ "username": "Default is `smile`, or `stretch` for the legacy Stretch."
29
  }
30
  }
31
  },
32
  "error": {
33
  "cannot_connect": "[%key:common::config_flow::error::cannot_connect%]",
34
+ "invalid_auth": "[%key:common::config_flow::error::invalid_auth%]",
35
  "invalid_setup": "Add your Adam instead of your Anna, see the documentation",
 
 
36
  "response_error": "Invalid XML data, or error indication received",
 
37
  "unknown": "[%key:common::config_flow::error::unknown%]",
38
  "unsupported": "Device with unsupported firmware"
39
  },
40
  "abort": {
41
  "already_configured": "[%key:common::config_flow::abort::already_configured_service%]",
42
+ "anna_with_adam": "Both Anna and Adam detected. Add your Adam instead of your Anna",
43
+ "not_the_same_smile": "The configured Smile ID does not match the Smile ID on the requested IP address.",
44
+ "reconfigure_successful": "[%key:common::config_flow::abort::reconfigure_successful%]"
45
  }
46
  },
47
  "entity": {
48
+ "binary_sensor": {
49
+ "compressor_state": {
50
+ "name": "Compressor state"
51
+ },
52
+ "cooling_enabled": {
53
+ "name": "Cooling enabled"
54
+ },
55
+ "dhw_state": {
56
+ "name": "DHW state"
57
+ },
58
+ "flame_state": {
59
+ "name": "Flame state"
60
+ },
61
+ "heating_state": {
62
+ "name": "[%key:component::climate::entity_component::_::state_attributes::hvac_action::state::heating%]"
63
+ },
64
+ "cooling_state": {
65
+ "name": "[%key:component::climate::entity_component::_::state_attributes::hvac_action::state::cooling%]"
66
+ },
67
+ "secondary_boiler_state": {
68
+ "name": "Secondary boiler state"
69
+ },
70
+ "plugwise_notification": {
71
+ "name": "Plugwise notification"
72
+ }
73
+ },
74
+ "button": {
75
+ "reboot": {
76
+ "name": "Reboot"
77
+ }
78
+ },
79
  "climate": {
80
  "plugwise": {
81
  "state_attributes": {
82
+ "available_schemas": {
83
+ "name": "Available schemas"
84
+ },
85
  "preset_mode": {
86
  "state": {
87
  "asleep": "Night",
88
+ "away": "[%key:common::state::not_home%]",
89
+ "home": "[%key:common::state::home%]",
90
  "no_frost": "Anti-frost",
91
  "vacation": "Vacation"
92
  }
93
+ },
94
+ "selected_schema": {
95
+ "name": "Selected schema"
96
  }
97
  }
98
  }
99
  },
100
+ "number": {
101
+ "maximum_boiler_temperature": {
102
+ "name": "Maximum boiler temperature setpoint"
103
+ },
104
+ "max_dhw_temperature": {
105
+ "name": "Domestic hot water setpoint"
106
+ },
107
+ "temperature_offset": {
108
+ "name": "Temperature offset"
109
+ }
110
+ },
111
  "select": {
112
  "dhw_mode": {
113
+ "name": "DHW mode",
114
  "state": {
115
+ "off": "[%key:common::state::off%]",
116
+ "auto": "[%key:common::state::auto%]",
117
+ "boost": "[%key:component::climate::entity_component::_::state_attributes::preset_mode::state::boost%]",
118
+ "comfort": "[%key:component::climate::entity_component::_::state_attributes::preset_mode::state::comfort%]"
119
+ }
120
+ },
121
+ "gateway_mode": {
122
+ "name": "Gateway mode",
123
+ "state": {
124
+ "away": "Pause",
125
+ "full": "[%key:common::state::normal%]",
126
+ "vacation": "Vacation"
127
  }
128
  },
129
  "regulation_mode": {
130
+ "name": "Regulation mode",
131
  "state": {
132
  "bleeding_cold": "Bleeding cold",
133
  "bleeding_hot": "Bleeding hot",
134
+ "cooling": "[%key:component::climate::entity_component::_::state_attributes::hvac_action::state::cooling%]",
135
+ "heating": "[%key:component::climate::entity_component::_::state_attributes::hvac_action::state::heating%]",
136
+ "off": "[%key:common::state::off%]"
137
+ }
138
+ },
139
+ "select_schedule": {
140
+ "name": "Thermostat schedule",
141
+ "state": {
142
+ "off": "[%key:common::state::off%]"
143
  }
144
  }
145
+ },
146
+ "sensor": {
147
+ "setpoint": {
148
+ "name": "Setpoint"
149
+ },
150
+ "cooling_setpoint": {
151
+ "name": "Cooling setpoint"
152
+ },
153
+ "heating_setpoint": {
154
+ "name": "Heating setpoint"
155
+ },
156
+ "intended_boiler_temperature": {
157
+ "name": "Intended boiler temperature"
158
+ },
159
+ "temperature_difference": {
160
+ "name": "Temperature difference"
161
+ },
162
+ "outdoor_temperature": {
163
+ "name": "Outdoor temperature"
164
+ },
165
+ "outdoor_air_temperature": {
166
+ "name": "Outdoor air temperature"
167
+ },
168
+ "water_temperature": {
169
+ "name": "Water temperature"
170
+ },
171
+ "return_temperature": {
172
+ "name": "Return temperature"
173
+ },
174
+ "electricity_consumed": {
175
+ "name": "Electricity consumed"
176
+ },
177
+ "electricity_produced": {
178
+ "name": "Electricity produced"
179
+ },
180
+ "electricity_consumed_interval": {
181
+ "name": "Electricity consumed interval"
182
+ },
183
+ "electricity_consumed_peak_interval": {
184
+ "name": "Electricity consumed peak interval"
185
+ },
186
+ "electricity_consumed_off_peak_interval": {
187
+ "name": "Electricity consumed off-peak interval"
188
+ },
189
+ "electricity_produced_interval": {
190
+ "name": "Electricity produced interval"
191
+ },
192
+ "electricity_produced_peak_interval": {
193
+ "name": "Electricity produced peak interval"
194
+ },
195
+ "electricity_produced_off_peak_interval": {
196
+ "name": "Electricity produced off-peak interval"
197
+ },
198
+ "electricity_consumed_point": {
199
+ "name": "Electricity consumed point"
200
+ },
201
+ "electricity_consumed_off_peak_point": {
202
+ "name": "Electricity consumed off-peak point"
203
+ },
204
+ "electricity_consumed_peak_point": {
205
+ "name": "Electricity consumed peak point"
206
+ },
207
+ "electricity_consumed_off_peak_cumulative": {
208
+ "name": "Electricity consumed off-peak cumulative"
209
+ },
210
+ "electricity_consumed_peak_cumulative": {
211
+ "name": "Electricity consumed peak cumulative"
212
+ },
213
+ "electricity_produced_point": {
214
+ "name": "Electricity produced point"
215
+ },
216
+ "electricity_produced_off_peak_point": {
217
+ "name": "Electricity produced off-peak point"
218
+ },
219
+ "electricity_produced_peak_point": {
220
+ "name": "Electricity produced peak point"
221
+ },
222
+ "electricity_produced_off_peak_cumulative": {
223
+ "name": "Electricity produced off-peak cumulative"
224
+ },
225
+ "electricity_produced_peak_cumulative": {
226
+ "name": "Electricity produced peak cumulative"
227
+ },
228
+ "electricity_phase_one_consumed": {
229
+ "name": "Electricity phase one consumed"
230
+ },
231
+ "electricity_phase_two_consumed": {
232
+ "name": "Electricity phase two consumed"
233
+ },
234
+ "electricity_phase_three_consumed": {
235
+ "name": "Electricity phase three consumed"
236
+ },
237
+ "electricity_phase_one_produced": {
238
+ "name": "Electricity phase one produced"
239
+ },
240
+ "electricity_phase_two_produced": {
241
+ "name": "Electricity phase two produced"
242
+ },
243
+ "electricity_phase_three_produced": {
244
+ "name": "Electricity phase three produced"
245
+ },
246
+ "voltage_phase_one": {
247
+ "name": "Voltage phase one"
248
+ },
249
+ "voltage_phase_two": {
250
+ "name": "Voltage phase two"
251
+ },
252
+ "voltage_phase_three": {
253
+ "name": "Voltage phase three"
254
+ },
255
+ "gas_consumed_interval": {
256
+ "name": "Gas consumed interval"
257
+ },
258
+ "gas_consumed_cumulative": {
259
+ "name": "Gas consumed cumulative"
260
+ },
261
+ "net_electricity_point": {
262
+ "name": "Net electricity point"
263
+ },
264
+ "net_electricity_cumulative": {
265
+ "name": "Net electricity cumulative"
266
+ },
267
+ "modulation_level": {
268
+ "name": "Modulation level"
269
+ },
270
+ "valve_position": {
271
+ "name": "Valve position"
272
+ },
273
+ "water_pressure": {
274
+ "name": "Water pressure"
275
+ },
276
+ "dhw_temperature": {
277
+ "name": "DHW temperature"
278
+ },
279
+ "domestic_hot_water_setpoint": {
280
+ "name": "DHW setpoint"
281
+ },
282
+ "maximum_boiler_temperature": {
283
+ "name": "Maximum boiler temperature"
284
+ }
285
+ },
286
+ "switch": {
287
+ "cooling_ena_switch": {
288
+ "name": "[%key:component::climate::entity_component::_::state_attributes::hvac_action::state::cooling%]"
289
+ },
290
+ "dhw_cm_switch": {
291
+ "name": "DHW comfort mode"
292
+ },
293
+ "lock": {
294
+ "name": "[%key:component::lock::title%]"
295
+ },
296
+ "relay": {
297
+ "name": "Relay"
298
+ }
299
+ }
300
+ },
301
+ "exceptions": {
302
+ "authentication_failed": {
303
+ "message": "[%key:common::config_flow::error::invalid_auth%]"
304
+ },
305
+ "data_incomplete_or_missing": {
306
+ "message": "Data incomplete or missing."
307
+ },
308
+ "error_communicating_with_api": {
309
+ "message": "Error communicating with API: {error}."
310
+ },
311
+ "failed_to_connect": {
312
+ "message": "[%key:common::config_flow::error::cannot_connect%]"
313
+ },
314
+ "invalid_xml_data": {
315
+ "message": "[%key:component::plugwise::config::error::response_error%]"
316
+ },
317
+ "unsupported_firmware": {
318
+ "message": "[%key:component::plugwise::config::error::unsupported%]"
319
+ },
320
+ "unsupported_hvac_mode_requested": {
321
+ "message": "Unsupported mode {hvac_mode} requested, valid modes are: {hvac_modes}."
322
  }
323
  }
324
  }
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/switch.py RENAMED
@@ -1,44 +1,90 @@
1
  """Plugwise Switch component for HomeAssistant."""
 
2
  from __future__ import annotations
3
 
 
4
  from typing import Any
5
 
6
- from homeassistant.components.switch import SwitchEntity
7
- from homeassistant.config_entries import ConfigEntry
8
- from homeassistant.core import HomeAssistant
9
- from homeassistant.helpers.entity_platform import AddEntitiesCallback
 
 
 
 
 
 
10
 
11
- from .const import COORDINATOR, DOMAIN, LOGGER, SMILE
12
- from .coordinator import PlugwiseDataUpdateCoordinator
13
  from .entity import PlugwiseEntity
14
- from .models import PW_SWITCH_TYPES, PlugwiseSwitchEntityDescription
15
  from .util import plugwise_command
16
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
17
 
18
  async def async_setup_entry(
19
  hass: HomeAssistant,
20
- config_entry: ConfigEntry,
21
- async_add_entities: AddEntitiesCallback,
22
  ) -> None:
23
  """Set up the Smile switches from a config entry."""
24
- coordinator = hass.data[DOMAIN][config_entry.entry_id][COORDINATOR]
25
- entities: list[PlugwiseSwitchEntity] = []
26
- for device_id, device in coordinator.data.devices.items():
27
- for description in PW_SWITCH_TYPES:
28
- if (
29
- "switches" not in device
30
- or description.key not in device["switches"]
31
- or description.plugwise_api != SMILE
32
- ):
33
- continue
34
- entities.append(PlugwiseSwitchEntity(coordinator, device_id, description))
35
- LOGGER.debug("Add %s switch", description.key)
36
- async_add_entities(entities)
 
 
 
 
 
37
 
38
 
39
  class PlugwiseSwitchEntity(PlugwiseEntity, SwitchEntity):
40
  """Representation of a Plugwise plug."""
41
 
 
 
42
  def __init__(
43
  self,
44
  coordinator: PlugwiseDataUpdateCoordinator,
@@ -47,13 +93,13 @@
47
  ) -> None:
48
  """Set up the Plugwise API."""
49
  super().__init__(coordinator, device_id)
50
- self.entity_description = description
51
  self._attr_unique_id = f"{device_id}-{description.key}"
 
52
 
53
  @property
54
- def is_on(self) -> bool | None:
55
  """Return True if entity is on."""
56
- return self.device["switches"].get(self.entity_description.key)
57
 
58
  @plugwise_command
59
  async def async_turn_on(self, **kwargs: Any) -> None:
 
1
  """Plugwise Switch component for HomeAssistant."""
2
+
3
  from __future__ import annotations
4
 
5
+ from dataclasses import dataclass
6
  from typing import Any
7
 
8
+ from plugwise.constants import SwitchType
9
+
10
+ from homeassistant.components.switch import (
11
+ SwitchDeviceClass,
12
+ SwitchEntity,
13
+ SwitchEntityDescription,
14
+ )
15
+ from homeassistant.const import EntityCategory
16
+ from homeassistant.core import HomeAssistant, callback
17
+ from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
18
 
19
+ from .coordinator import PlugwiseConfigEntry, PlugwiseDataUpdateCoordinator
 
20
  from .entity import PlugwiseEntity
 
21
  from .util import plugwise_command
22
 
23
+ PARALLEL_UPDATES = 0
24
+
25
+
26
+ @dataclass(frozen=True)
27
+ class PlugwiseSwitchEntityDescription(SwitchEntityDescription):
28
+ """Describes Plugwise switch entity."""
29
+
30
+ key: SwitchType
31
+
32
+
33
+ SWITCHES: tuple[PlugwiseSwitchEntityDescription, ...] = (
34
+ PlugwiseSwitchEntityDescription(
35
+ key="dhw_cm_switch",
36
+ translation_key="dhw_cm_switch",
37
+ entity_category=EntityCategory.CONFIG,
38
+ ),
39
+ PlugwiseSwitchEntityDescription(
40
+ key="lock",
41
+ translation_key="lock",
42
+ entity_category=EntityCategory.CONFIG,
43
+ ),
44
+ PlugwiseSwitchEntityDescription(
45
+ key="relay",
46
+ translation_key="relay",
47
+ device_class=SwitchDeviceClass.SWITCH,
48
+ ),
49
+ PlugwiseSwitchEntityDescription(
50
+ key="cooling_ena_switch",
51
+ translation_key="cooling_ena_switch",
52
+ entity_category=EntityCategory.CONFIG,
53
+ ),
54
+ )
55
+
56
 
57
  async def async_setup_entry(
58
  hass: HomeAssistant,
59
+ entry: PlugwiseConfigEntry,
60
+ async_add_entities: AddConfigEntryEntitiesCallback,
61
  ) -> None:
62
  """Set up the Smile switches from a config entry."""
63
+ coordinator = entry.runtime_data
64
+
65
+ @callback
66
+ def _add_entities() -> None:
67
+ """Add Entities."""
68
+ if not coordinator.new_devices:
69
+ return
70
+
71
+ async_add_entities(
72
+ PlugwiseSwitchEntity(coordinator, device_id, description)
73
+ for device_id in coordinator.new_devices
74
+ if (switches := coordinator.data[device_id].get("switches"))
75
+ for description in SWITCHES
76
+ if description.key in switches
77
+ )
78
+
79
+ _add_entities()
80
+ entry.async_on_unload(coordinator.async_add_listener(_add_entities))
81
 
82
 
83
  class PlugwiseSwitchEntity(PlugwiseEntity, SwitchEntity):
84
  """Representation of a Plugwise plug."""
85
 
86
+ entity_description: PlugwiseSwitchEntityDescription
87
+
88
  def __init__(
89
  self,
90
  coordinator: PlugwiseDataUpdateCoordinator,
 
93
  ) -> None:
94
  """Set up the Plugwise API."""
95
  super().__init__(coordinator, device_id)
 
96
  self._attr_unique_id = f"{device_id}-{description.key}"
97
+ self.entity_description = description
98
 
99
  @property
100
+ def is_on(self) -> bool:
101
  """Return True if entity is on."""
102
+ return self.device["switches"][self.entity_description.key]
103
 
104
  @plugwise_command
105
  async def async_turn_on(self, **kwargs: Any) -> None:
/home/runner/work/progress/progress/clones/beta/{beta/custom_components → ha-core/homeassistant/components}/plugwise/util.py RENAMED
@@ -1,21 +1,18 @@
1
  """Utilities for Plugwise."""
 
2
  from collections.abc import Awaitable, Callable, Coroutine
3
- from typing import Any, Concatenate, TypeVar
4
 
5
- from typing_extensions import ParamSpec
6
 
7
  from homeassistant.exceptions import HomeAssistantError
8
- from plugwise.exceptions import PlugwiseException
9
 
 
10
  from .entity import PlugwiseEntity
11
 
12
- _PlugwiseEntityT = TypeVar("_PlugwiseEntityT", bound=PlugwiseEntity)
13
- _R = TypeVar("_R")
14
- _P = ParamSpec("_P")
15
-
16
 
17
- def plugwise_command(
18
- func: Callable[Concatenate[_PlugwiseEntityT, _P], Awaitable[_R]]
19
  ) -> Callable[Concatenate[_PlugwiseEntityT, _P], Coroutine[Any, Any, _R]]:
20
  """Decorate Plugwise calls that send commands/make changes to the device.
21
 
@@ -28,10 +25,14 @@
28
  ) -> _R:
29
  try:
30
  return await func(self, *args, **kwargs)
31
- except PlugwiseException as error:
32
  raise HomeAssistantError(
33
- f"Error communicating with API: {error}"
34
- ) from error
 
 
 
 
35
  finally:
36
  await self.coordinator.async_request_refresh()
37
 
 
1
  """Utilities for Plugwise."""
2
+
3
  from collections.abc import Awaitable, Callable, Coroutine
4
+ from typing import Any, Concatenate
5
 
6
+ from plugwise.exceptions import PlugwiseException
7
 
8
  from homeassistant.exceptions import HomeAssistantError
 
9
 
10
+ from .const import DOMAIN
11
  from .entity import PlugwiseEntity
12
 
 
 
 
 
13
 
14
+ def plugwise_command[_PlugwiseEntityT: PlugwiseEntity, **_P, _R](
15
+ func: Callable[Concatenate[_PlugwiseEntityT, _P], Awaitable[_R]],
16
  ) -> Callable[Concatenate[_PlugwiseEntityT, _P], Coroutine[Any, Any, _R]]:
17
  """Decorate Plugwise calls that send commands/make changes to the device.
18
 
 
25
  ) -> _R:
26
  try:
27
  return await func(self, *args, **kwargs)
28
+ except PlugwiseException as err:
29
  raise HomeAssistantError(
30
+ translation_domain=DOMAIN,
31
+ translation_key="error_communicating_with_api",
32
+ translation_placeholders={
33
+ "error": str(err),
34
+ },
35
+ ) from err
36
  finally:
37
  await self.coordinator.async_request_refresh()
38