Clean up eight_sleep code (#58508)

This commit is contained in:
Raman Gupta 2021-12-03 14:17:00 -05:00 committed by GitHub
parent b60b38c6f6
commit 788a9bd9f7
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 213 additions and 269 deletions

View File

@ -38,6 +38,7 @@ DOMAIN = "eight_sleep"
HEAT_ENTITY = "heat"
USER_ENTITY = "user"
HEAT_SCAN_INTERVAL = timedelta(seconds=60)
USER_SCAN_INTERVAL = timedelta(seconds=300)
@ -48,18 +49,9 @@ NAME_MAP = {
"left_current_sleep": "Left Sleep Session",
"left_current_sleep_fitness": "Left Sleep Fitness",
"left_last_sleep": "Left Previous Sleep Session",
"left_bed_state": "Left Bed State",
"left_presence": "Left Bed Presence",
"left_bed_temp": "Left Bed Temperature",
"left_sleep_stage": "Left Sleep Stage",
"right_current_sleep": "Right Sleep Session",
"right_current_sleep_fitness": "Right Sleep Fitness",
"right_last_sleep": "Right Previous Sleep Session",
"right_bed_state": "Right Bed State",
"right_presence": "Right Bed Presence",
"right_bed_temp": "Right Bed Temperature",
"right_sleep_stage": "Right Sleep Stage",
"room_temp": "Room Temperature",
}
SENSORS = [
@ -67,7 +59,7 @@ SENSORS = [
"current_sleep_fitness",
"last_sleep",
"bed_state",
"bed_temp",
"bed_temperature",
"sleep_stage",
]
@ -104,6 +96,14 @@ CONFIG_SCHEMA = vol.Schema(
)
def _get_device_unique_id(eight: EightSleep, user_obj: EightUser = None) -> str:
"""Get the device's unique ID."""
unique_id = eight.deviceid
if user_obj:
unique_id = f"{unique_id}.{user_obj.userid}.{user_obj.side}"
return unique_id
async def async_setup(hass: HomeAssistant, config: ConfigType) -> bool:
"""Set up the Eight Sleep component."""
@ -143,11 +143,11 @@ async def async_setup(hass: HomeAssistant, config: ConfigType) -> bool:
sensors = []
binary_sensors = []
if eight.users:
for obj in eight.users.values():
for user, obj in eight.users.items():
for sensor in SENSORS:
sensors.append(f"{obj.side}_{sensor}")
binary_sensors.append(f"{obj.side}_presence")
sensors.append("room_temp")
sensors.append((obj.side, sensor))
binary_sensors.append((obj.side, "bed_presence"))
sensors.append((None, "room_temperature"))
else:
# No users, cannot continue
return False
@ -173,9 +173,9 @@ async def async_setup(hass: HomeAssistant, config: ConfigType) -> bool:
duration = params.pop(ATTR_HEAT_DURATION, 0)
for sens in sensor:
side = sens.split("_")[1]
side = sens[0]
userid = eight.fetch_userid(side)
usrobj: EightUser = eight.users[userid]
usrobj = eight.users[userid]
await usrobj.set_heating_level(target, duration)
await heat_coordinator.async_request_refresh()
@ -199,9 +199,12 @@ class EightSleepHeatDataCoordinator(DataUpdateCoordinator):
_LOGGER,
name=f"{DOMAIN}_heat",
update_interval=HEAT_SCAN_INTERVAL,
update_method=self.api.update_device_data,
update_method=self._async_update_data,
)
async def _async_update_data(self) -> None:
await self.api.update_device_data()
class EightSleepUserDataCoordinator(DataUpdateCoordinator):
"""Class to retrieve user data from Eight Sleep."""
@ -214,14 +217,57 @@ class EightSleepUserDataCoordinator(DataUpdateCoordinator):
_LOGGER,
name=f"{DOMAIN}_user",
update_interval=USER_SCAN_INTERVAL,
update_method=self.api.update_user_data,
update_method=self._async_update_data,
)
async def _async_update_data(self) -> None:
await self.api.update_user_data()
class EightSleepEntity(CoordinatorEntity):
"""The Eight Sleep device entity."""
def __init__(self, coordinator: DataUpdateCoordinator, eight: EightSleep) -> None:
class EightSleepBaseEntity(CoordinatorEntity):
"""The base Eight Sleep entity class."""
def __init__(
self,
name: str,
coordinator: EightSleepUserDataCoordinator | EightSleepHeatDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
) -> None:
"""Initialize the data object."""
super().__init__(coordinator)
self._eight = eight
self._side = side
self._sensor = sensor
self._usrobj: EightUser = None
if self._side:
self._usrobj = self._eight.users[self._eight.fetch_userid(self._side)]
full_sensor_name = self._sensor
if self._side is not None:
full_sensor_name = f"{self._side}_{full_sensor_name}"
mapped_name = NAME_MAP.get(
full_sensor_name, full_sensor_name.replace("_", " ").title()
)
self._attr_name = f"{name} {mapped_name}"
self._attr_unique_id = (
f"{_get_device_unique_id(eight, self._usrobj)}.{self._sensor}"
)
class EightSleepUserEntity(EightSleepBaseEntity):
"""The Eight Sleep user entity."""
def __init__(
self,
name: str,
coordinator: EightSleepUserDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
units: str,
) -> None:
"""Initialize the data object."""
super().__init__(name, coordinator, eight, side, sensor)
self._units = units

View File

@ -1,25 +1,25 @@
"""Support for Eight Sleep binary sensors."""
from __future__ import annotations
import logging
from pyeight.eight import EightSleep
from pyeight.user import EightUser
from homeassistant.components.binary_sensor import (
DEVICE_CLASS_OCCUPANCY,
BinarySensorEntity,
)
from homeassistant.core import HomeAssistant, callback
from homeassistant.core import HomeAssistant
from homeassistant.helpers.entity_platform import AddEntitiesCallback
from homeassistant.helpers.typing import ConfigType, DiscoveryInfoType
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator
from . import (
CONF_BINARY_SENSORS,
DATA_API,
DATA_EIGHT,
DATA_HEAT,
NAME_MAP,
EightSleepEntity,
EightSleepBaseEntity,
EightSleepHeatDataCoordinator,
)
_LOGGER = logging.getLogger(__name__)
@ -37,55 +37,40 @@ async def async_setup_platform(
name = "Eight"
sensors = discovery_info[CONF_BINARY_SENSORS]
eight = hass.data[DATA_EIGHT][DATA_API]
heat_coordinator = hass.data[DATA_EIGHT][DATA_HEAT]
eight: EightSleep = hass.data[DATA_EIGHT][DATA_API]
heat_coordinator: EightSleepHeatDataCoordinator = hass.data[DATA_EIGHT][DATA_HEAT]
all_sensors = []
all_sensors = [
EightHeatSensor(name, heat_coordinator, eight, side, sensor)
for side, sensor in sensors
]
for sensor in sensors:
all_sensors.append(EightHeatSensor(name, heat_coordinator, eight, sensor))
async_add_entities(all_sensors, True)
async_add_entities(all_sensors)
class EightHeatSensor(EightSleepEntity, BinarySensorEntity):
class EightHeatSensor(EightSleepBaseEntity, BinarySensorEntity):
"""Representation of a Eight Sleep heat-based sensor."""
def __init__(
self,
name: str,
coordinator: DataUpdateCoordinator,
coordinator: EightSleepHeatDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
) -> None:
"""Initialize the sensor."""
super().__init__(coordinator, eight)
self._sensor = sensor
self._mapped_name = NAME_MAP.get(self._sensor, self._sensor)
self._state = None
self._side = self._sensor.split("_")[0]
self._userid = self._eight.fetch_userid(self._side)
self._usrobj: EightUser = self._eight.users[self._userid]
self._attr_name = f"{name} {self._mapped_name}"
super().__init__(name, coordinator, eight, side, sensor)
self._attr_device_class = DEVICE_CLASS_OCCUPANCY
_LOGGER.debug(
"Presence Sensor: %s, Side: %s, User: %s",
self._sensor,
self._side,
self._userid,
self._usrobj.userid,
)
@property
def is_on(self) -> bool:
"""Return true if the binary sensor is on."""
return bool(self._state)
@callback
def _handle_coordinator_update(self) -> None:
"""Handle updated data from the coordinator."""
self._state = self._usrobj.bed_presence
super()._handle_coordinator_update()
return bool(self._usrobj.bed_presence)

View File

@ -1,23 +1,16 @@
"""Support for Eight Sleep sensors."""
from __future__ import annotations
from collections.abc import Mapping
import logging
from typing import Any
from pyeight.eight import EightSleep
from pyeight.user import EightUser
from homeassistant.components.sensor import SensorEntity
from homeassistant.const import (
DEVICE_CLASS_TEMPERATURE,
PERCENTAGE,
TEMP_CELSIUS,
TEMP_FAHRENHEIT,
)
from homeassistant.core import HomeAssistant, callback
from homeassistant.const import PERCENTAGE, TEMP_CELSIUS, TEMP_FAHRENHEIT
from homeassistant.core import HomeAssistant
from homeassistant.helpers.entity_platform import AddEntitiesCallback
from homeassistant.helpers.typing import ConfigType, DiscoveryInfoType
from homeassistant.helpers.typing import ConfigType
from . import (
CONF_SENSORS,
@ -25,10 +18,10 @@ from . import (
DATA_EIGHT,
DATA_HEAT,
DATA_USER,
NAME_MAP,
EightSleepEntity,
EightSleepBaseEntity,
EightSleepHeatDataCoordinator,
EightSleepUserDataCoordinator,
EightSleepUserEntity,
)
ATTR_ROOM_TEMP = "Room Temperature"
@ -63,7 +56,7 @@ async def async_setup_platform(
hass: HomeAssistant,
config: ConfigType,
async_add_entities: AddEntitiesCallback,
discovery_info: DiscoveryInfoType = None,
discovery_info: dict[str, list[tuple[str, str]]] = None,
) -> None:
"""Set up the eight sleep sensors."""
if discovery_info is None:
@ -71,7 +64,7 @@ async def async_setup_platform(
name = "Eight"
sensors = discovery_info[CONF_SENSORS]
eight = hass.data[DATA_EIGHT][DATA_API]
eight: EightSleep = hass.data[DATA_EIGHT][DATA_API]
heat_coordinator: EightSleepHeatDataCoordinator = hass.data[DATA_EIGHT][DATA_HEAT]
user_coordinator: EightSleepUserDataCoordinator = hass.data[DATA_EIGHT][DATA_USER]
@ -80,24 +73,26 @@ async def async_setup_platform(
else:
units = "us"
all_sensors: list[EightSleepEntity] = []
all_sensors: list[SensorEntity] = []
for sensor in sensors:
if "bed_state" in sensor:
all_sensors.append(EightHeatSensor(name, heat_coordinator, eight, sensor))
elif "room_temp" in sensor:
for side, sensor in sensors:
if sensor == "bed_state":
all_sensors.append(
EightRoomSensor(name, user_coordinator, eight, sensor, units)
EightHeatSensor(name, heat_coordinator, eight, side, sensor)
)
elif sensor == "room_temperature":
all_sensors.append(
EightRoomSensor(name, user_coordinator, eight, side, sensor, units)
)
else:
all_sensors.append(
EightUserSensor(name, user_coordinator, eight, sensor, units)
EightUserSensor(name, user_coordinator, eight, side, sensor, units)
)
async_add_entities(all_sensors, True)
async_add_entities(all_sensors)
class EightHeatSensor(EightSleepEntity, SensorEntity):
class EightHeatSensor(EightSleepBaseEntity, SensorEntity):
"""Representation of an eight sleep heat-based sensor."""
def __init__(
@ -105,51 +100,27 @@ class EightHeatSensor(EightSleepEntity, SensorEntity):
name: str,
coordinator: EightSleepHeatDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
) -> None:
"""Initialize the sensor."""
super().__init__(coordinator, eight)
self._sensor = sensor
self._mapped_name = NAME_MAP.get(self._sensor, self._sensor)
self._name = f"{name} {self._mapped_name}"
self._state = None
self._side = self._sensor.split("_")[0]
self._userid = self._eight.fetch_userid(self._side)
self._usrobj: EightUser = self._eight.users[self._userid]
super().__init__(name, coordinator, eight, side, sensor)
self._attr_native_unit_of_measurement = PERCENTAGE
_LOGGER.debug(
"Heat Sensor: %s, Side: %s, User: %s",
self._sensor,
self._side,
self._userid,
self._usrobj.userid,
)
@property
def name(self) -> str:
"""Return the name of the sensor, if any."""
return self._name
@property
def native_value(self) -> str | None:
def native_value(self) -> int:
"""Return the state of the sensor."""
return self._state
return self._usrobj.heating_level
@property
def native_unit_of_measurement(self) -> str:
"""Return the unit the value is expressed in."""
return PERCENTAGE
@callback
def _handle_coordinator_update(self) -> None:
"""Handle updated data from the coordinator."""
_LOGGER.debug("Updating Heat sensor: %s", self._sensor)
self._state = self._usrobj.heating_level
super()._handle_coordinator_update()
@property
def extra_state_attributes(self) -> Mapping[str, Any]:
def extra_state_attributes(self) -> dict[str, Any]:
"""Return device state attributes."""
return {
ATTR_TARGET_HEAT: self._usrobj.target_heating_level,
@ -158,7 +129,17 @@ class EightHeatSensor(EightSleepEntity, SensorEntity):
}
class EightUserSensor(EightSleepEntity, SensorEntity):
def _get_breakdown_percent(
attr: dict[str, Any], key: str, denominator: int | float
) -> int | float:
"""Get a breakdown percent."""
try:
return round((attr["breakdown"][key] / denominator) * 100, 2)
except ZeroDivisionError:
return 0
class EightUserSensor(EightSleepUserEntity, SensorEntity):
"""Representation of an eight sleep user-based sensor."""
def __init__(
@ -166,180 +147,138 @@ class EightUserSensor(EightSleepEntity, SensorEntity):
name: str,
coordinator: EightSleepUserDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
units: str,
) -> None:
"""Initialize the sensor."""
super().__init__(coordinator, eight)
super().__init__(name, coordinator, eight, side, sensor, units)
self._sensor = sensor
self._sensor_root = self._sensor.split("_", 1)[1]
self._mapped_name = NAME_MAP.get(self._sensor, self._sensor)
self._name = f"{name} {self._mapped_name}"
self._state = None
self._attr = None
self._units = units
self._side = self._sensor.split("_", 1)[0]
self._userid = self._eight.fetch_userid(self._side)
self._usrobj: EightUser = self._eight.users[self._userid]
if self._sensor == "bed_temperature":
self._attr_icon = "mdi:thermometer"
_LOGGER.debug(
"User Sensor: %s, Side: %s, User: %s",
self._sensor,
self._side,
self._userid,
self._usrobj.userid if self._usrobj else None,
)
@property
def name(self) -> str:
"""Return the name of the sensor, if any."""
return self._name
@property
def native_value(self) -> str | None:
def native_value(self) -> str | int | float | None:
"""Return the state of the sensor."""
return self._state
if "current" in self._sensor:
if "fitness" in self._sensor:
return self._usrobj.current_sleep_fitness_score
return self._usrobj.current_sleep_score
if "last" in self._sensor:
return self._usrobj.last_sleep_score
if self._sensor == "bed_temperature":
temp = self._usrobj.current_values["bed_temp"]
try:
if self._units == "si":
return round(temp, 2)
return round((temp * 1.8) + 32, 2)
except TypeError:
return None
if self._sensor == "sleep_stage":
return self._usrobj.current_values["stage"]
return None
@property
def native_unit_of_measurement(self) -> str | None:
"""Return the unit the value is expressed in."""
if (
"current_sleep" in self._sensor
or "last_sleep" in self._sensor
or "current_sleep_fitness" in self._sensor
):
if self._sensor in ("current_sleep", "last_sleep", "current_sleep_fitness"):
return "Score"
if "bed_temp" in self._sensor:
if self._sensor == "bed_temperature":
if self._units == "si":
return TEMP_CELSIUS
return TEMP_FAHRENHEIT
return None
@property
def device_class(self) -> str | None:
"""Return the class of this device, from component DEVICE_CLASSES."""
if "bed_temp" in self._sensor:
return DEVICE_CLASS_TEMPERATURE
return None
def _get_rounded_value(
self, attr: dict[str, Any], key: str, use_units: bool = True
) -> int | float | None:
"""Get rounded value based on units for given key."""
try:
if self._units == "si" or not use_units:
return round(attr["room_temp"], 2)
return round((attr["room_temp"] * 1.8) + 32, 2)
except TypeError:
return None
@callback
def _handle_coordinator_update(self) -> None:
"""Handle updated data from the coordinator."""
_LOGGER.debug("Updating User sensor: %s", self._sensor)
@property
def extra_state_attributes(self) -> dict[str, Any] | None:
"""Return device state attributes."""
attr = None
if "current" in self._sensor:
if "fitness" in self._sensor:
self._state = self._usrobj.current_sleep_fitness_score
self._attr = self._usrobj.current_fitness_values
attr = self._usrobj.current_fitness_values
else:
self._state = self._usrobj.current_sleep_score
self._attr = self._usrobj.current_values
attr = self._usrobj.current_values
elif "last" in self._sensor:
self._state = self._usrobj.last_sleep_score
self._attr = self._usrobj.last_values
elif "bed_temp" in self._sensor:
temp = self._usrobj.current_values["bed_temp"]
try:
if self._units == "si":
self._state = round(temp, 2)
else:
self._state = round((temp * 1.8) + 32, 2)
except TypeError:
self._state = None
elif "sleep_stage" in self._sensor:
self._state = self._usrobj.current_values["stage"]
attr = self._usrobj.last_values
super()._handle_coordinator_update()
@property
def extra_state_attributes(self) -> Mapping[str, Any] | None:
"""Return device state attributes."""
if self._attr is None:
if attr is None:
# Skip attributes if sensor type doesn't support
return None
if "fitness" in self._sensor_root:
if "fitness" in self._sensor:
state_attr = {
ATTR_FIT_DATE: self._attr["date"],
ATTR_FIT_DURATION_SCORE: self._attr["duration"],
ATTR_FIT_ASLEEP_SCORE: self._attr["asleep"],
ATTR_FIT_OUT_SCORE: self._attr["out"],
ATTR_FIT_WAKEUP_SCORE: self._attr["wakeup"],
ATTR_FIT_DATE: attr["date"],
ATTR_FIT_DURATION_SCORE: attr["duration"],
ATTR_FIT_ASLEEP_SCORE: attr["asleep"],
ATTR_FIT_OUT_SCORE: attr["out"],
ATTR_FIT_WAKEUP_SCORE: attr["wakeup"],
}
return state_attr
state_attr = {ATTR_SESSION_START: self._attr["date"]}
state_attr[ATTR_TNT] = self._attr["tnt"]
state_attr[ATTR_PROCESSING] = self._attr["processing"]
state_attr = {ATTR_SESSION_START: attr["date"]}
state_attr[ATTR_TNT] = attr["tnt"]
state_attr[ATTR_PROCESSING] = attr["processing"]
sleep_time = (
sum(self._attr["breakdown"].values()) - self._attr["breakdown"]["awake"]
)
state_attr[ATTR_SLEEP_DUR] = sleep_time
try:
state_attr[ATTR_LIGHT_PERC] = round(
(self._attr["breakdown"]["light"] / sleep_time) * 100, 2
if attr.get("breakdown") is not None:
sleep_time = sum(attr["breakdown"].values()) - attr["breakdown"]["awake"]
state_attr[ATTR_SLEEP_DUR] = sleep_time
state_attr[ATTR_LIGHT_PERC] = _get_breakdown_percent(
attr, "light", sleep_time
)
except ZeroDivisionError:
state_attr[ATTR_LIGHT_PERC] = 0
try:
state_attr[ATTR_DEEP_PERC] = round(
(self._attr["breakdown"]["deep"] / sleep_time) * 100, 2
state_attr[ATTR_DEEP_PERC] = _get_breakdown_percent(
attr, "deep", sleep_time
)
except ZeroDivisionError:
state_attr[ATTR_DEEP_PERC] = 0
state_attr[ATTR_REM_PERC] = _get_breakdown_percent(attr, "rem", sleep_time)
try:
state_attr[ATTR_REM_PERC] = round(
(self._attr["breakdown"]["rem"] / sleep_time) * 100, 2
room_temp = self._get_rounded_value(attr, "room_temp")
bed_temp = self._get_rounded_value(attr, "bed_temp")
if "current" in self._sensor:
state_attr[ATTR_RESP_RATE] = self._get_rounded_value(
attr, "resp_rate", False
)
except ZeroDivisionError:
state_attr[ATTR_REM_PERC] = 0
try:
if self._units == "si":
room_temp = round(self._attr["room_temp"], 2)
else:
room_temp = round((self._attr["room_temp"] * 1.8) + 32, 2)
except TypeError:
room_temp = None
try:
if self._units == "si":
bed_temp = round(self._attr["bed_temp"], 2)
else:
bed_temp = round((self._attr["bed_temp"] * 1.8) + 32, 2)
except TypeError:
bed_temp = None
if "current" in self._sensor_root:
try:
state_attr[ATTR_RESP_RATE] = round(self._attr["resp_rate"], 2)
except TypeError:
state_attr[ATTR_RESP_RATE] = None
try:
state_attr[ATTR_HEART_RATE] = round(self._attr["heart_rate"], 2)
except TypeError:
state_attr[ATTR_HEART_RATE] = None
state_attr[ATTR_SLEEP_STAGE] = self._attr["stage"]
state_attr[ATTR_HEART_RATE] = self._get_rounded_value(
attr, "heart_rate", False
)
state_attr[ATTR_SLEEP_STAGE] = attr["stage"]
state_attr[ATTR_ROOM_TEMP] = room_temp
state_attr[ATTR_BED_TEMP] = bed_temp
elif "last" in self._sensor_root:
try:
state_attr[ATTR_AVG_RESP_RATE] = round(self._attr["resp_rate"], 2)
except TypeError:
state_attr[ATTR_AVG_RESP_RATE] = None
try:
state_attr[ATTR_AVG_HEART_RATE] = round(self._attr["heart_rate"], 2)
except TypeError:
state_attr[ATTR_AVG_HEART_RATE] = None
elif "last" in self._sensor:
state_attr[ATTR_AVG_RESP_RATE] = self._get_rounded_value(
attr, "resp_rate", False
)
state_attr[ATTR_AVG_HEART_RATE] = self._get_rounded_value(
attr, "heart_rate", False
)
state_attr[ATTR_AVG_ROOM_TEMP] = room_temp
state_attr[ATTR_AVG_BED_TEMP] = bed_temp
return state_attr
class EightRoomSensor(EightSleepEntity, SensorEntity):
class EightRoomSensor(EightSleepUserEntity, SensorEntity):
"""Representation of an eight sleep room sensor."""
def __init__(
@ -347,51 +286,25 @@ class EightRoomSensor(EightSleepEntity, SensorEntity):
name: str,
coordinator: EightSleepUserDataCoordinator,
eight: EightSleep,
side: str | None,
sensor: str,
units: str,
) -> None:
"""Initialize the sensor."""
super().__init__(coordinator, eight)
super().__init__(name, coordinator, eight, side, sensor, units)
self._sensor = sensor
self._mapped_name = NAME_MAP.get(self._sensor, self._sensor)
self._name = f"{name} {self._mapped_name}"
self._state = None
self._attr = None
self._units = units
self._attr_icon = "mdi:thermometer"
self._attr_native_unit_of_measurement: str = (
TEMP_CELSIUS if self._units == "si" else TEMP_FAHRENHEIT
)
@property
def name(self) -> str:
"""Return the name of the sensor, if any."""
return self._name
@property
def native_value(self) -> str | None:
def native_value(self) -> int | float | None:
"""Return the state of the sensor."""
return self._state
@callback
def _handle_coordinator_update(self) -> None:
"""Handle updated data from the coordinator."""
_LOGGER.debug("Updating Room sensor: %s", self._sensor)
temp = self._eight.room_temperature()
try:
if self._units == "si":
self._state = round(temp, 2)
else:
self._state = round((temp * 1.8) + 32, 2)
return round(temp, 2)
return round((temp * 1.8) + 32, 2)
except TypeError:
self._state = None
super()._handle_coordinator_update()
@property
def native_unit_of_measurement(self) -> str:
"""Return the unit the value is expressed in."""
if self._units == "si":
return TEMP_CELSIUS
return TEMP_FAHRENHEIT
@property
def device_class(self) -> str:
"""Return the class of this device, from component DEVICE_CLASSES."""
return DEVICE_CLASS_TEMPERATURE
return None