hass-core/homeassistant/components/surepetcare/binary_sensor.py
Daniel Hjelseth Høyer c27ad3078a
Surepetcare, use DataUpdateCoordinator (#55982)
* Surepetcare, use dataupdater

Signed-off-by: Daniel Hjelseth Høyer <github@dahoiv.net>

* Review comment

Signed-off-by: Daniel Hjelseth Høyer <github@dahoiv.net>

* Apply suggestions from code review

Co-authored-by: J. Nick Koston <nick@koston.org>

* style

Co-authored-by: J. Nick Koston <nick@koston.org>
2021-09-10 08:37:00 +02:00

177 lines
5.7 KiB
Python

"""Support for Sure PetCare Flaps/Pets binary sensors."""
from __future__ import annotations
from abc import abstractmethod
import logging
from surepy.entities import SurepyEntity
from surepy.enums import EntityType, Location
from homeassistant.components.binary_sensor import (
DEVICE_CLASS_CONNECTIVITY,
DEVICE_CLASS_PRESENCE,
BinarySensorEntity,
)
from homeassistant.core import callback
from homeassistant.helpers.update_coordinator import (
CoordinatorEntity,
DataUpdateCoordinator,
)
from .const import DOMAIN
_LOGGER = logging.getLogger(__name__)
async def async_setup_platform(
hass, config, async_add_entities, discovery_info=None
) -> None:
"""Set up Sure PetCare Flaps binary sensors based on a config entry."""
if discovery_info is None:
return
entities: list[SurepyEntity | Pet | Hub | DeviceConnectivity] = []
coordinator: DataUpdateCoordinator = hass.data[DOMAIN]
for surepy_entity in coordinator.data.values():
# connectivity
if surepy_entity.type in [
EntityType.CAT_FLAP,
EntityType.PET_FLAP,
EntityType.FEEDER,
EntityType.FELAQUA,
]:
entities.append(DeviceConnectivity(surepy_entity.id, coordinator))
elif surepy_entity.type == EntityType.PET:
entities.append(Pet(surepy_entity.id, coordinator))
elif surepy_entity.type == EntityType.HUB:
entities.append(Hub(surepy_entity.id, coordinator))
async_add_entities(entities)
class SurePetcareBinarySensor(BinarySensorEntity, CoordinatorEntity):
"""A binary sensor implementation for Sure Petcare Entities."""
def __init__(
self,
_id: int,
coordinator: DataUpdateCoordinator,
device_class: str,
) -> None:
"""Initialize a Sure Petcare binary sensor."""
super().__init__(coordinator)
self._id = _id
surepy_entity: SurepyEntity = coordinator.data[self._id]
# cover special case where a device has no name set
if surepy_entity.name:
name = surepy_entity.name
else:
name = f"Unnamed {surepy_entity.type.name.capitalize()}"
self._attr_device_class = device_class
self._attr_name = f"{surepy_entity.type.name.capitalize()} {name.capitalize()}"
self._attr_unique_id = f"{surepy_entity.household_id}-{self._id}"
self._update_attr()
@abstractmethod
@callback
def _update_attr(self) -> None:
"""Update the state and attributes."""
@callback
def _handle_coordinator_update(self) -> None:
"""Get the latest data and update the state."""
self._update_attr()
self.async_write_ha_state()
class Hub(SurePetcareBinarySensor):
"""Sure Petcare Hub."""
def __init__(self, _id: int, coordinator: DataUpdateCoordinator) -> None:
"""Initialize a Sure Petcare Hub."""
super().__init__(_id, coordinator, DEVICE_CLASS_CONNECTIVITY)
@property
def available(self) -> bool:
"""Return True if entity is available."""
return super().available and bool(self._attr_is_on)
@callback
def _update_attr(self) -> None:
"""Get the latest data and update the state."""
surepy_entity = self.coordinator.data[self._id]
state = surepy_entity.raw_data()["status"]
self._attr_is_on = self._attr_available = bool(state["online"])
if surepy_entity.raw_data():
self._attr_extra_state_attributes = {
"led_mode": int(surepy_entity.raw_data()["status"]["led_mode"]),
"pairing_mode": bool(
surepy_entity.raw_data()["status"]["pairing_mode"]
),
}
else:
self._attr_extra_state_attributes = {}
_LOGGER.debug("%s -> state: %s", self.name, state)
class Pet(SurePetcareBinarySensor):
"""Sure Petcare Pet."""
def __init__(self, _id: int, coordinator: DataUpdateCoordinator) -> None:
"""Initialize a Sure Petcare Pet."""
super().__init__(_id, coordinator, DEVICE_CLASS_PRESENCE)
@callback
def _update_attr(self) -> None:
"""Get the latest data and update the state."""
surepy_entity = self.coordinator.data[self._id]
state = surepy_entity.location
try:
self._attr_is_on = bool(Location(state.where) == Location.INSIDE)
except (KeyError, TypeError):
self._attr_is_on = False
if state:
self._attr_extra_state_attributes = {
"since": state.since,
"where": state.where,
}
else:
self._attr_extra_state_attributes = {}
_LOGGER.debug("%s -> state: %s", self.name, state)
class DeviceConnectivity(SurePetcareBinarySensor):
"""Sure Petcare Device."""
def __init__(
self,
_id: int,
coordinator: DataUpdateCoordinator,
) -> None:
"""Initialize a Sure Petcare Device."""
super().__init__(_id, coordinator, DEVICE_CLASS_CONNECTIVITY)
self._attr_name = f"{self.name}_connectivity"
self._attr_unique_id = (
f"{self.coordinator.data[self._id].household_id}-{self._id}-connectivity"
)
@callback
def _update_attr(self):
surepy_entity = self.coordinator.data[self._id]
state = surepy_entity.raw_data()["status"]
self._attr_is_on = bool(state)
if state:
self._attr_extra_state_attributes = {
"device_rssi": f'{state["signal"]["device_rssi"]:.2f}',
"hub_rssi": f'{state["signal"]["hub_rssi"]:.2f}',
}
else:
self._attr_extra_state_attributes = {}
_LOGGER.debug("%s -> state: %s", self.name, state)