homeassistant/custom_components/frigate/switch.py

183 lines
5.7 KiB
Python
Raw Permalink Normal View History

2025-01-10 21:08:35 -08:00
"""Sensor platform for frigate."""
from __future__ import annotations
import logging
from typing import Any
from homeassistant.components.mqtt import async_publish
from homeassistant.components.switch import SwitchEntity
from homeassistant.config_entries import ConfigEntry
from homeassistant.const import CONF_URL
from homeassistant.core import HomeAssistant, callback
from homeassistant.helpers.entity import DeviceInfo, EntityCategory
from homeassistant.helpers.entity_platform import AddEntitiesCallback
from . import (
FrigateMQTTEntity,
ReceiveMessage,
decode_if_necessary,
get_friendly_name,
get_frigate_device_identifier,
get_frigate_entity_unique_id,
)
from .const import ATTR_CONFIG, DOMAIN, NAME
from .icons import get_icon_from_switch
_LOGGER: logging.Logger = logging.getLogger(__name__)
async def async_setup_entry(
hass: HomeAssistant, entry: ConfigEntry, async_add_entities: AddEntitiesCallback
) -> None:
"""Switch entry setup."""
frigate_config = hass.data[DOMAIN][entry.entry_id][ATTR_CONFIG]
entities = []
for camera in frigate_config["cameras"].keys():
entities.extend(
[
FrigateSwitch(entry, frigate_config, camera, "detect", True),
FrigateSwitch(entry, frigate_config, camera, "motion", True),
FrigateSwitch(entry, frigate_config, camera, "recordings", True),
FrigateSwitch(entry, frigate_config, camera, "snapshots", True),
FrigateSwitch(entry, frigate_config, camera, "improve_contrast", False),
]
)
if (
frigate_config["cameras"][camera]
.get("audio", {})
.get("enabled_in_config", False)
):
entities.append(
FrigateSwitch(
entry, frigate_config, camera, "audio", True, "audio_detection"
),
)
if (
frigate_config["cameras"][camera]
.get("onvif", {})
.get("autotracking", {})
.get("enabled_in_config", False)
):
entities.append(
FrigateSwitch(
entry,
frigate_config,
camera,
"ptz_autotracker",
True,
"ptz_autotracker",
),
)
async_add_entities(entities)
class FrigateSwitch(FrigateMQTTEntity, SwitchEntity): # type: ignore[misc]
"""Frigate Switch class."""
_attr_entity_category = EntityCategory.CONFIG
def __init__(
self,
config_entry: ConfigEntry,
frigate_config: dict[str, Any],
cam_name: str,
switch_name: str,
default_enabled: bool,
descriptive_name: str = "",
) -> None:
"""Construct a FrigateSwitch."""
self._frigate_config = frigate_config
self._cam_name = cam_name
self._switch_name = switch_name
self._is_on = False
self._command_topic = (
f"{frigate_config['mqtt']['topic_prefix']}"
f"/{self._cam_name}/{self._switch_name}/set"
)
self._descriptive_name = descriptive_name if descriptive_name else switch_name
self._attr_entity_registry_enabled_default = default_enabled
self._icon = get_icon_from_switch(self._switch_name)
super().__init__(
config_entry,
frigate_config,
{
"state_topic": {
"msg_callback": self._state_message_received,
"qos": 0,
"topic": (
f"{self._frigate_config['mqtt']['topic_prefix']}"
f"/{self._cam_name}/{self._switch_name}/state"
),
},
},
)
@callback # type: ignore[misc]
def _state_message_received(self, msg: ReceiveMessage) -> None:
"""Handle a new received MQTT state message."""
self._is_on = decode_if_necessary(msg.payload) == "ON"
self.async_write_ha_state()
@property
def unique_id(self) -> str:
"""Return a unique ID to use for this entity."""
return get_frigate_entity_unique_id(
self._config_entry.entry_id,
"switch",
f"{self._cam_name}_{self._switch_name}",
)
@property
def device_info(self) -> DeviceInfo:
"""Get device information."""
return {
"identifiers": {
get_frigate_device_identifier(self._config_entry, self._cam_name)
},
"via_device": get_frigate_device_identifier(self._config_entry),
"name": get_friendly_name(self._cam_name),
"model": self._get_model(),
"configuration_url": f"{self._config_entry.data.get(CONF_URL)}/cameras/{self._cam_name}",
"manufacturer": NAME,
}
@property
def name(self) -> str:
"""Return the name of the sensor."""
return f"{get_friendly_name(self._descriptive_name)}".title()
@property
def is_on(self) -> bool:
"""Return true if the binary sensor is on."""
return self._is_on
@property
def icon(self) -> str:
"""Return the icon of the sensor."""
return self._icon
async def async_turn_on(self, **kwargs: Any) -> None:
"""Turn the device on."""
await async_publish(
self.hass,
self._command_topic,
"ON",
0,
False,
)
async def async_turn_off(self, **kwargs: Any) -> None:
"""Turn the device off."""
await async_publish(
self.hass,
self._command_topic,
"OFF",
0,
False,
)