* Add uptime sensor to Glances * Merge upstream * Merge upstream * Fix coverage * Add uptime sensor to Glances * Merge upstream * Merge upstream * Fix coverage * Move most uptime specific code to DataUpdateCoordinator * Add last_reported after merge with upstream * Add unit tests for uptime sensor * Add unit tests for uptime sensor * Add unit tests for uptime sensor * Add unit tests for uptime sensor * Move update code out of getter native_value() * Add unit tests for uptime sensor * Update uptime method signatures * Set uptime icon in icons.json * Use freezer.tick for uptime tests * Frozen time test fails on github * Add MIN_UPTIME_VARIATION const value * Only update uptime on startup or when remote server restarts * Fix for 0 values * Set value to None to set state to Unknown if key is not found * Add unit test for uptime change * Code reduction --------- Co-authored-by: J. Nick Koston <nick@koston.org> Co-authored-by: G Johansson <goran.johansson@shiftit.se>
59 lines
2.2 KiB
Python
59 lines
2.2 KiB
Python
"""Coordinator for Glances integration."""
|
|
|
|
from datetime import datetime, timedelta
|
|
import logging
|
|
from typing import Any
|
|
|
|
from glances_api import Glances, exceptions
|
|
|
|
from homeassistant.config_entries import ConfigEntry
|
|
from homeassistant.const import CONF_HOST
|
|
from homeassistant.core import HomeAssistant
|
|
from homeassistant.exceptions import ConfigEntryAuthFailed
|
|
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
|
|
from homeassistant.util.dt import parse_duration, utcnow
|
|
|
|
from .const import DEFAULT_SCAN_INTERVAL, DOMAIN
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
class GlancesDataUpdateCoordinator(DataUpdateCoordinator[dict[str, Any]]):
|
|
"""Get the latest data from Glances api."""
|
|
|
|
config_entry: ConfigEntry
|
|
|
|
def __init__(self, hass: HomeAssistant, entry: ConfigEntry, api: Glances) -> None:
|
|
"""Initialize the Glances data."""
|
|
self.hass = hass
|
|
self.config_entry = entry
|
|
self.host: str = entry.data[CONF_HOST]
|
|
self.api = api
|
|
super().__init__(
|
|
hass,
|
|
_LOGGER,
|
|
name=f"{DOMAIN} - {self.host}",
|
|
update_interval=DEFAULT_SCAN_INTERVAL,
|
|
)
|
|
|
|
async def _async_update_data(self) -> dict[str, Any]:
|
|
"""Get the latest data from the Glances REST API."""
|
|
try:
|
|
data = await self.api.get_ha_sensor_data()
|
|
except exceptions.GlancesApiAuthorizationError as err:
|
|
raise ConfigEntryAuthFailed from err
|
|
except exceptions.GlancesApiError as err:
|
|
raise UpdateFailed from err
|
|
# Update computed values
|
|
uptime: datetime | None = self.data["computed"]["uptime"] if self.data else None
|
|
up_duration: timedelta | None = None
|
|
if up_duration := parse_duration(data.get("uptime")):
|
|
# Update uptime if previous value is None or previous uptime is bigger than
|
|
# new uptime (i.e. server restarted)
|
|
if (
|
|
self.data is None
|
|
or self.data["computed"]["uptime_duration"] > up_duration
|
|
):
|
|
uptime = utcnow() - up_duration
|
|
data["computed"] = {"uptime_duration": up_duration, "uptime": uptime}
|
|
return data or {}
|