mirror of
https://github.com/home-assistant/core.git
synced 2025-11-13 13:00:11 +00:00
173 lines
5.9 KiB
Python
173 lines
5.9 KiB
Python
"""Event platform for ntfy integration."""
|
|
|
|
from __future__ import annotations
|
|
|
|
import asyncio
|
|
import logging
|
|
from typing import TYPE_CHECKING
|
|
|
|
from aiontfy import Event, Notification
|
|
from aiontfy.exceptions import (
|
|
NtfyConnectionError,
|
|
NtfyForbiddenError,
|
|
NtfyHTTPError,
|
|
NtfyTimeoutError,
|
|
)
|
|
|
|
from homeassistant.components.event import EventEntity, EventEntityDescription
|
|
from homeassistant.config_entries import ConfigSubentry
|
|
from homeassistant.core import HomeAssistant, callback
|
|
from homeassistant.helpers import issue_registry as ir
|
|
from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
|
|
|
|
from .const import (
|
|
CONF_MESSAGE,
|
|
CONF_PRIORITY,
|
|
CONF_TAGS,
|
|
CONF_TITLE,
|
|
CONF_TOPIC,
|
|
DOMAIN,
|
|
)
|
|
from .coordinator import NtfyConfigEntry
|
|
from .entity import NtfyBaseEntity
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
PARALLEL_UPDATES = 0
|
|
RECONNECT_INTERVAL = 10
|
|
|
|
|
|
async def async_setup_entry(
|
|
hass: HomeAssistant,
|
|
config_entry: NtfyConfigEntry,
|
|
async_add_entities: AddConfigEntryEntitiesCallback,
|
|
) -> None:
|
|
"""Set up the event platform."""
|
|
|
|
for subentry_id, subentry in config_entry.subentries.items():
|
|
async_add_entities(
|
|
[NtfyEventEntity(config_entry, subentry)], config_subentry_id=subentry_id
|
|
)
|
|
|
|
|
|
class NtfyEventEntity(NtfyBaseEntity, EventEntity):
|
|
"""An event entity."""
|
|
|
|
entity_description = EventEntityDescription(
|
|
key="subscribe",
|
|
translation_key="subscribe",
|
|
name=None,
|
|
event_types=["triggered"],
|
|
)
|
|
|
|
def __init__(
|
|
self,
|
|
config_entry: NtfyConfigEntry,
|
|
subentry: ConfigSubentry,
|
|
) -> None:
|
|
"""Initialize the entity."""
|
|
super().__init__(config_entry, subentry)
|
|
self._ws: asyncio.Task | None = None
|
|
|
|
@callback
|
|
def _async_handle_event(self, notification: Notification) -> None:
|
|
"""Handle the ntfy event."""
|
|
if notification.topic == self.topic and notification.event is Event.MESSAGE:
|
|
event = (
|
|
f"{notification.title}: {notification.message}"
|
|
if notification.title
|
|
else notification.message
|
|
)
|
|
if TYPE_CHECKING:
|
|
assert event
|
|
self._attr_event_types = [event]
|
|
self._trigger_event(event, notification.to_dict())
|
|
self.async_write_ha_state()
|
|
|
|
async def async_added_to_hass(self) -> None:
|
|
"""Run when entity about to be added to hass."""
|
|
|
|
self.config_entry.async_create_background_task(
|
|
self.hass,
|
|
self.ws_connect(),
|
|
"websocket_watchdog",
|
|
)
|
|
|
|
async def ws_connect(self) -> None:
|
|
"""Connect websocket."""
|
|
while True:
|
|
try:
|
|
if self._ws and (exc := self._ws.exception()):
|
|
raise exc # noqa: TRY301
|
|
except asyncio.InvalidStateError:
|
|
self._attr_available = True
|
|
except asyncio.CancelledError:
|
|
self._attr_available = False
|
|
return
|
|
except NtfyForbiddenError:
|
|
if self._attr_available:
|
|
_LOGGER.error(
|
|
"Failed to subscribe to topic %s. Topic is protected",
|
|
self.topic,
|
|
)
|
|
self._attr_available = False
|
|
ir.async_create_issue(
|
|
self.hass,
|
|
DOMAIN,
|
|
f"topic_protected_{self.topic}",
|
|
is_fixable=True,
|
|
severity=ir.IssueSeverity.ERROR,
|
|
translation_key="topic_protected",
|
|
translation_placeholders={CONF_TOPIC: self.topic},
|
|
data={"entity_id": self.entity_id, "topic": self.topic},
|
|
)
|
|
return
|
|
except NtfyHTTPError as e:
|
|
if self._attr_available:
|
|
_LOGGER.error(
|
|
"Failed to connect to ntfy service due to a server error: %s (%s)",
|
|
e.error,
|
|
e.link,
|
|
)
|
|
self._attr_available = False
|
|
except NtfyConnectionError:
|
|
if self._attr_available:
|
|
_LOGGER.error(
|
|
"Failed to connect to ntfy service due to a connection error"
|
|
)
|
|
self._attr_available = False
|
|
except NtfyTimeoutError:
|
|
if self._attr_available:
|
|
_LOGGER.error(
|
|
"Failed to connect to ntfy service due to a connection timeout"
|
|
)
|
|
self._attr_available = False
|
|
except Exception:
|
|
if self._attr_available:
|
|
_LOGGER.exception(
|
|
"Failed to connect to ntfy service due to an unexpected exception"
|
|
)
|
|
self._attr_available = False
|
|
finally:
|
|
self.async_write_ha_state()
|
|
if self._ws is None or self._ws.done():
|
|
self._ws = self.config_entry.async_create_background_task(
|
|
self.hass,
|
|
target=self.ntfy.subscribe(
|
|
topics=[self.topic],
|
|
callback=self._async_handle_event,
|
|
title=self.subentry.data.get(CONF_TITLE),
|
|
message=self.subentry.data.get(CONF_MESSAGE),
|
|
priority=self.subentry.data.get(CONF_PRIORITY),
|
|
tags=self.subentry.data.get(CONF_TAGS),
|
|
),
|
|
name="ntfy_websocket",
|
|
)
|
|
await asyncio.sleep(RECONNECT_INTERVAL)
|
|
|
|
@property
|
|
def entity_picture(self) -> str | None:
|
|
"""Return the entity picture to use in the frontend, if any."""
|
|
|
|
return self.state_attributes.get("icon") or super().entity_picture
|