2023-01-09 10:41:47 +00:00
|
|
|
"""Coordinator for imag integration."""
|
|
|
|
from __future__ import annotations
|
|
|
|
|
|
|
|
import asyncio
|
|
|
|
from collections.abc import Mapping
|
|
|
|
from datetime import timedelta
|
|
|
|
import logging
|
|
|
|
from typing import Any
|
|
|
|
|
|
|
|
from aioimaplib import AUTH, IMAP4_SSL, SELECTED, AioImapException
|
|
|
|
import async_timeout
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
from homeassistant.config_entries import ConfigEntry, ConfigEntryState
|
2023-01-09 10:41:47 +00:00
|
|
|
from homeassistant.const import CONF_PASSWORD, CONF_PORT, CONF_USERNAME
|
|
|
|
from homeassistant.core import HomeAssistant
|
2023-03-17 21:45:15 +00:00
|
|
|
from homeassistant.exceptions import ConfigEntryAuthFailed, ConfigEntryError
|
2023-01-09 10:41:47 +00:00
|
|
|
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
|
|
|
|
|
|
|
|
from .const import CONF_CHARSET, CONF_FOLDER, CONF_SEARCH, CONF_SERVER, DOMAIN
|
|
|
|
from .errors import InvalidAuth, InvalidFolder
|
|
|
|
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
BACKOFF_TIME = 10
|
|
|
|
|
2023-01-09 10:41:47 +00:00
|
|
|
|
|
|
|
async def connect_to_server(data: Mapping[str, Any]) -> IMAP4_SSL:
|
|
|
|
"""Connect to imap server and return client."""
|
|
|
|
client = IMAP4_SSL(data[CONF_SERVER], data[CONF_PORT])
|
|
|
|
await client.wait_hello_from_server()
|
|
|
|
await client.login(data[CONF_USERNAME], data[CONF_PASSWORD])
|
|
|
|
if client.protocol.state != AUTH:
|
2023-03-17 21:45:15 +00:00
|
|
|
raise InvalidAuth("Invalid username or password")
|
2023-01-09 10:41:47 +00:00
|
|
|
await client.select(data[CONF_FOLDER])
|
|
|
|
if client.protocol.state != SELECTED:
|
2023-03-17 21:45:15 +00:00
|
|
|
raise InvalidFolder(f"Folder {data[CONF_FOLDER]} is invalid")
|
2023-01-09 10:41:47 +00:00
|
|
|
return client
|
|
|
|
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
class ImapDataUpdateCoordinator(DataUpdateCoordinator[int | None]):
|
|
|
|
"""Base class for imap client."""
|
2023-01-09 10:41:47 +00:00
|
|
|
|
|
|
|
config_entry: ConfigEntry
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
hass: HomeAssistant,
|
|
|
|
imap_client: IMAP4_SSL,
|
|
|
|
update_interval: timedelta | None,
|
|
|
|
) -> None:
|
2023-01-09 10:41:47 +00:00
|
|
|
"""Initiate imap client."""
|
|
|
|
self.imap_client = imap_client
|
|
|
|
super().__init__(
|
|
|
|
hass,
|
|
|
|
_LOGGER,
|
|
|
|
name=DOMAIN,
|
2023-03-17 21:45:15 +00:00
|
|
|
update_interval=update_interval,
|
2023-01-09 10:41:47 +00:00
|
|
|
)
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
async def async_start(self) -> None:
|
|
|
|
"""Start coordinator."""
|
|
|
|
|
|
|
|
async def _async_reconnect_if_needed(self) -> None:
|
|
|
|
"""Connect to imap server."""
|
|
|
|
if self.imap_client is None:
|
|
|
|
self.imap_client = await connect_to_server(self.config_entry.data)
|
|
|
|
|
|
|
|
async def _async_fetch_number_of_messages(self) -> int | None:
|
|
|
|
"""Fetch number of messages."""
|
|
|
|
await self._async_reconnect_if_needed()
|
|
|
|
await self.imap_client.noop()
|
|
|
|
result, lines = await self.imap_client.search(
|
|
|
|
self.config_entry.data[CONF_SEARCH],
|
|
|
|
charset=self.config_entry.data[CONF_CHARSET],
|
|
|
|
)
|
2023-01-09 10:41:47 +00:00
|
|
|
if result != "OK":
|
|
|
|
raise UpdateFailed(
|
|
|
|
f"Invalid response for search '{self.config_entry.data[CONF_SEARCH]}': {result} / {lines[0]}"
|
|
|
|
)
|
|
|
|
return len(lines[0].split())
|
|
|
|
|
2023-03-17 21:45:15 +00:00
|
|
|
async def _cleanup(self, log_error: bool = False) -> None:
|
|
|
|
"""Close resources."""
|
|
|
|
if self.imap_client:
|
|
|
|
try:
|
|
|
|
if self.imap_client.has_pending_idle():
|
|
|
|
self.imap_client.idle_done()
|
|
|
|
await self.imap_client.stop_wait_server_push()
|
|
|
|
await self.imap_client.close()
|
|
|
|
await self.imap_client.logout()
|
|
|
|
except (AioImapException, asyncio.TimeoutError) as ex:
|
|
|
|
if log_error:
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
_LOGGER.warning("Error while cleaning up imap connection")
|
2023-01-09 10:41:47 +00:00
|
|
|
self.imap_client = None
|
|
|
|
|
|
|
|
async def shutdown(self, *_) -> None:
|
|
|
|
"""Close resources."""
|
2023-03-17 21:45:15 +00:00
|
|
|
await self._cleanup(log_error=True)
|
|
|
|
|
|
|
|
|
|
|
|
class ImapPollingDataUpdateCoordinator(ImapDataUpdateCoordinator):
|
|
|
|
"""Class for imap client."""
|
|
|
|
|
|
|
|
def __init__(self, hass: HomeAssistant, imap_client: IMAP4_SSL) -> None:
|
|
|
|
"""Initiate imap client."""
|
|
|
|
super().__init__(hass, imap_client, timedelta(seconds=10))
|
|
|
|
|
|
|
|
async def _async_update_data(self) -> int | None:
|
|
|
|
"""Update the number of unread emails."""
|
|
|
|
try:
|
|
|
|
return await self._async_fetch_number_of_messages()
|
|
|
|
except (
|
|
|
|
AioImapException,
|
|
|
|
UpdateFailed,
|
|
|
|
asyncio.TimeoutError,
|
|
|
|
) as ex:
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
raise UpdateFailed() from ex
|
|
|
|
except InvalidFolder as ex:
|
|
|
|
_LOGGER.warning("Selected mailbox folder is invalid")
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
raise ConfigEntryError("Selected mailbox folder is invalid.") from ex
|
|
|
|
except InvalidAuth as ex:
|
|
|
|
_LOGGER.warning("Username or password incorrect, starting reauthentication")
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
raise ConfigEntryAuthFailed() from ex
|
|
|
|
|
|
|
|
|
|
|
|
class ImapPushDataUpdateCoordinator(ImapDataUpdateCoordinator):
|
|
|
|
"""Class for imap client."""
|
|
|
|
|
|
|
|
def __init__(self, hass: HomeAssistant, imap_client: IMAP4_SSL) -> None:
|
|
|
|
"""Initiate imap client."""
|
|
|
|
super().__init__(hass, imap_client, None)
|
|
|
|
self._push_wait_task: asyncio.Task[None] | None = None
|
|
|
|
|
|
|
|
async def _async_update_data(self) -> int | None:
|
|
|
|
"""Update the number of unread emails."""
|
|
|
|
await self.async_start()
|
|
|
|
return None
|
|
|
|
|
|
|
|
async def async_start(self) -> None:
|
|
|
|
"""Start coordinator."""
|
|
|
|
self._push_wait_task = self.hass.async_create_background_task(
|
|
|
|
self._async_wait_push_loop(), "Wait for IMAP data push"
|
|
|
|
)
|
|
|
|
|
|
|
|
async def _async_wait_push_loop(self) -> None:
|
|
|
|
"""Wait for data push from server."""
|
|
|
|
while True:
|
|
|
|
try:
|
|
|
|
number_of_messages = await self._async_fetch_number_of_messages()
|
|
|
|
except InvalidAuth as ex:
|
|
|
|
_LOGGER.warning(
|
|
|
|
"Username or password incorrect, starting reauthentication"
|
|
|
|
)
|
|
|
|
self.config_entry.async_start_reauth(self.hass)
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
await asyncio.sleep(BACKOFF_TIME)
|
|
|
|
except InvalidFolder as ex:
|
|
|
|
_LOGGER.warning("Selected mailbox folder is invalid")
|
|
|
|
self.config_entry.async_set_state(
|
|
|
|
self.hass,
|
|
|
|
ConfigEntryState.SETUP_ERROR,
|
|
|
|
"Selected mailbox folder is invalid.",
|
|
|
|
)
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
await asyncio.sleep(BACKOFF_TIME)
|
|
|
|
except (
|
|
|
|
UpdateFailed,
|
|
|
|
AioImapException,
|
|
|
|
asyncio.TimeoutError,
|
|
|
|
) as ex:
|
|
|
|
self.async_set_update_error(ex)
|
|
|
|
await self._cleanup()
|
|
|
|
await asyncio.sleep(BACKOFF_TIME)
|
|
|
|
continue
|
|
|
|
else:
|
|
|
|
self.async_set_updated_data(number_of_messages)
|
|
|
|
try:
|
|
|
|
idle: asyncio.Future = await self.imap_client.idle_start()
|
|
|
|
await self.imap_client.wait_server_push()
|
2023-03-15 20:22:13 +00:00
|
|
|
self.imap_client.idle_done()
|
2023-03-17 21:45:15 +00:00
|
|
|
async with async_timeout.timeout(10):
|
|
|
|
await idle
|
|
|
|
|
|
|
|
except (AioImapException, asyncio.TimeoutError):
|
|
|
|
_LOGGER.warning(
|
|
|
|
"Lost %s (will attempt to reconnect after %s s)",
|
|
|
|
self.config_entry.data[CONF_SERVER],
|
|
|
|
BACKOFF_TIME,
|
|
|
|
)
|
|
|
|
self.async_set_update_error(UpdateFailed("Lost connection"))
|
|
|
|
await self._cleanup()
|
|
|
|
await asyncio.sleep(BACKOFF_TIME)
|
|
|
|
|
|
|
|
async def shutdown(self, *_) -> None:
|
|
|
|
"""Close resources."""
|
|
|
|
if self._push_wait_task:
|
|
|
|
self._push_wait_task.cancel()
|
|
|
|
await super().shutdown()
|