186 lines
5.5 KiB
Python
186 lines
5.5 KiB
Python
"""Support for the Foobot indoor air quality monitor."""
|
|
from __future__ import annotations
|
|
|
|
import asyncio
|
|
from datetime import timedelta
|
|
import logging
|
|
|
|
import aiohttp
|
|
from foobot_async import FoobotClient
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.components.sensor import (
|
|
SensorDeviceClass,
|
|
SensorEntity,
|
|
SensorEntityDescription,
|
|
)
|
|
from homeassistant.const import (
|
|
ATTR_TEMPERATURE,
|
|
ATTR_TIME,
|
|
CONCENTRATION_MICROGRAMS_PER_CUBIC_METER,
|
|
CONCENTRATION_PARTS_PER_BILLION,
|
|
CONCENTRATION_PARTS_PER_MILLION,
|
|
CONF_TOKEN,
|
|
CONF_USERNAME,
|
|
PERCENTAGE,
|
|
TEMP_CELSIUS,
|
|
TIME_SECONDS,
|
|
)
|
|
from homeassistant.exceptions import PlatformNotReady
|
|
from homeassistant.helpers.aiohttp_client import async_get_clientsession
|
|
import homeassistant.helpers.config_validation as cv
|
|
from homeassistant.helpers.config_validation import PLATFORM_SCHEMA
|
|
from homeassistant.helpers.entity import Entity
|
|
from homeassistant.util import Throttle
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
ATTR_HUMIDITY = "humidity"
|
|
ATTR_PM2_5 = "PM2.5"
|
|
ATTR_CARBON_DIOXIDE = "CO2"
|
|
ATTR_VOLATILE_ORGANIC_COMPOUNDS = "VOC"
|
|
ATTR_FOOBOT_INDEX = "index"
|
|
|
|
SENSOR_TYPES: tuple[SensorEntityDescription, ...] = (
|
|
SensorEntityDescription(
|
|
key="time",
|
|
name=ATTR_TIME,
|
|
native_unit_of_measurement=TIME_SECONDS,
|
|
),
|
|
SensorEntityDescription(
|
|
key="pm",
|
|
name=ATTR_PM2_5,
|
|
native_unit_of_measurement=CONCENTRATION_MICROGRAMS_PER_CUBIC_METER,
|
|
icon="mdi:cloud",
|
|
),
|
|
SensorEntityDescription(
|
|
key="tmp",
|
|
name=ATTR_TEMPERATURE,
|
|
native_unit_of_measurement=TEMP_CELSIUS,
|
|
device_class=SensorDeviceClass.TEMPERATURE,
|
|
),
|
|
SensorEntityDescription(
|
|
key="hum",
|
|
name=ATTR_HUMIDITY,
|
|
native_unit_of_measurement=PERCENTAGE,
|
|
icon="mdi:water-percent",
|
|
),
|
|
SensorEntityDescription(
|
|
key="co2",
|
|
name=ATTR_CARBON_DIOXIDE,
|
|
native_unit_of_measurement=CONCENTRATION_PARTS_PER_MILLION,
|
|
icon="mdi:molecule-co2",
|
|
),
|
|
SensorEntityDescription(
|
|
key="voc",
|
|
name=ATTR_VOLATILE_ORGANIC_COMPOUNDS,
|
|
native_unit_of_measurement=CONCENTRATION_PARTS_PER_BILLION,
|
|
icon="mdi:cloud",
|
|
),
|
|
SensorEntityDescription(
|
|
key="allpollu",
|
|
name=ATTR_FOOBOT_INDEX,
|
|
native_unit_of_measurement=PERCENTAGE,
|
|
icon="mdi:percent",
|
|
),
|
|
)
|
|
|
|
SCAN_INTERVAL = timedelta(minutes=10)
|
|
PARALLEL_UPDATES = 1
|
|
|
|
TIMEOUT = 10
|
|
|
|
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend(
|
|
{vol.Required(CONF_TOKEN): cv.string, vol.Required(CONF_USERNAME): cv.string}
|
|
)
|
|
|
|
|
|
async def async_setup_platform(hass, config, async_add_entities, discovery_info=None):
|
|
"""Set up the devices associated with the account."""
|
|
token = config.get(CONF_TOKEN)
|
|
username = config.get(CONF_USERNAME)
|
|
|
|
client = FoobotClient(
|
|
token, username, async_get_clientsession(hass), timeout=TIMEOUT
|
|
)
|
|
entities = []
|
|
try:
|
|
devices = await client.get_devices()
|
|
_LOGGER.debug("The following devices were found: %s", devices)
|
|
for device in devices:
|
|
foobot_data = FoobotData(client, device["uuid"])
|
|
entities.extend(
|
|
[
|
|
FoobotSensor(foobot_data, device, description)
|
|
for description in SENSOR_TYPES
|
|
if description.key != "time"
|
|
]
|
|
)
|
|
except (
|
|
aiohttp.client_exceptions.ClientConnectorError,
|
|
asyncio.TimeoutError,
|
|
FoobotClient.TooManyRequests,
|
|
FoobotClient.InternalError,
|
|
) as err:
|
|
_LOGGER.exception("Failed to connect to foobot servers")
|
|
raise PlatformNotReady from err
|
|
except FoobotClient.ClientError:
|
|
_LOGGER.error("Failed to fetch data from foobot servers")
|
|
return
|
|
async_add_entities(entities, True)
|
|
|
|
|
|
class FoobotSensor(SensorEntity):
|
|
"""Implementation of a Foobot sensor."""
|
|
|
|
def __init__(self, data, device, description: SensorEntityDescription):
|
|
"""Initialize the sensor."""
|
|
self.entity_description = description
|
|
self.foobot_data = data
|
|
|
|
self._attr_name = f"Foobot {device['name']} {description.name}"
|
|
self._attr_unique_id = f"{device['uuid']}_{description.key}"
|
|
|
|
@property
|
|
def native_value(self):
|
|
"""Return the state of the device."""
|
|
try:
|
|
data = self.foobot_data.data[self.entity_description.key]
|
|
except (KeyError, TypeError):
|
|
data = None
|
|
return data
|
|
|
|
async def async_update(self):
|
|
"""Get the latest data."""
|
|
await self.foobot_data.async_update()
|
|
|
|
|
|
class FoobotData(Entity):
|
|
"""Get data from Foobot API."""
|
|
|
|
def __init__(self, client, uuid):
|
|
"""Initialize the data object."""
|
|
self._client = client
|
|
self._uuid = uuid
|
|
self.data = {}
|
|
|
|
@Throttle(SCAN_INTERVAL)
|
|
async def async_update(self):
|
|
"""Get the data from Foobot API."""
|
|
interval = SCAN_INTERVAL.total_seconds()
|
|
try:
|
|
response = await self._client.get_last_data(
|
|
self._uuid, interval, interval + 1
|
|
)
|
|
except (
|
|
aiohttp.client_exceptions.ClientConnectorError,
|
|
asyncio.TimeoutError,
|
|
self._client.TooManyRequests,
|
|
self._client.InternalError,
|
|
):
|
|
_LOGGER.debug("Couldn't fetch data")
|
|
return False
|
|
_LOGGER.debug("The data response is: %s", response)
|
|
self.data = {k: round(v, 1) for k, v in response[0].items()}
|
|
return True
|