mirror of
https://github.com/home-assistant/core.git
synced 2025-11-08 02:19:31 +00:00
258 lines
7.8 KiB
Python
258 lines
7.8 KiB
Python
"""Support for departure information for public transport in Munich."""
|
|
|
|
from __future__ import annotations
|
|
|
|
from collections.abc import Mapping
|
|
from copy import deepcopy
|
|
from datetime import timedelta
|
|
import logging
|
|
from typing import Any
|
|
|
|
from mvg import MvgApi, MvgApiError, TransportType
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.components.sensor import (
|
|
PLATFORM_SCHEMA as SENSOR_PLATFORM_SCHEMA,
|
|
SensorEntity,
|
|
)
|
|
from homeassistant.const import CONF_NAME, UnitOfTime
|
|
from homeassistant.core import HomeAssistant
|
|
from homeassistant.helpers import config_validation as cv
|
|
from homeassistant.helpers.entity_platform import AddEntitiesCallback
|
|
from homeassistant.helpers.typing import ConfigType, DiscoveryInfoType
|
|
import homeassistant.util.dt as dt_util
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
CONF_NEXT_DEPARTURE = "nextdeparture"
|
|
|
|
CONF_STATION = "station"
|
|
CONF_DESTINATIONS = "destinations"
|
|
CONF_DIRECTIONS = "directions"
|
|
CONF_LINES = "lines"
|
|
CONF_PRODUCTS = "products"
|
|
CONF_TIMEOFFSET = "timeoffset"
|
|
CONF_NUMBER = "number"
|
|
|
|
DEFAULT_PRODUCT = ["U-Bahn", "Tram", "Bus", "ExpressBus", "S-Bahn", "Nachteule"]
|
|
|
|
ICONS = {
|
|
"U-Bahn": "mdi:subway",
|
|
"Tram": "mdi:tram",
|
|
"Bus": "mdi:bus",
|
|
"ExpressBus": "mdi:bus",
|
|
"S-Bahn": "mdi:train",
|
|
"Nachteule": "mdi:owl",
|
|
"SEV": "mdi:checkbox-blank-circle-outline",
|
|
"-": "mdi:clock",
|
|
}
|
|
|
|
ATTRIBUTION = "Data provided by mvg.de"
|
|
|
|
SCAN_INTERVAL = timedelta(seconds=30)
|
|
|
|
PLATFORM_SCHEMA = vol.All(
|
|
cv.deprecated(CONF_DIRECTIONS),
|
|
SENSOR_PLATFORM_SCHEMA.extend(
|
|
{
|
|
vol.Required(CONF_NEXT_DEPARTURE): [
|
|
{
|
|
vol.Required(CONF_STATION): cv.string,
|
|
vol.Optional(CONF_DESTINATIONS, default=[""]): cv.ensure_list_csv,
|
|
vol.Optional(CONF_DIRECTIONS, default=[""]): cv.ensure_list_csv,
|
|
vol.Optional(CONF_LINES, default=[""]): cv.ensure_list_csv,
|
|
vol.Optional(
|
|
CONF_PRODUCTS, default=DEFAULT_PRODUCT
|
|
): cv.ensure_list_csv,
|
|
vol.Optional(CONF_TIMEOFFSET, default=0): cv.positive_int,
|
|
vol.Optional(CONF_NUMBER, default=1): cv.positive_int,
|
|
vol.Optional(CONF_NAME): cv.string,
|
|
}
|
|
]
|
|
}
|
|
),
|
|
)
|
|
|
|
|
|
async def async_setup_platform(
|
|
hass: HomeAssistant,
|
|
config: ConfigType,
|
|
add_entities: AddEntitiesCallback,
|
|
discovery_info: DiscoveryInfoType | None = None,
|
|
) -> None:
|
|
"""Set up the MVGLive sensor."""
|
|
sensors = [
|
|
MVGLiveSensor(
|
|
hass,
|
|
nextdeparture.get(CONF_STATION),
|
|
nextdeparture.get(CONF_DESTINATIONS),
|
|
nextdeparture.get(CONF_LINES),
|
|
nextdeparture.get(CONF_PRODUCTS),
|
|
nextdeparture.get(CONF_TIMEOFFSET),
|
|
nextdeparture.get(CONF_NUMBER),
|
|
nextdeparture.get(CONF_NAME),
|
|
)
|
|
for nextdeparture in config[CONF_NEXT_DEPARTURE]
|
|
]
|
|
add_entities(sensors, True)
|
|
|
|
|
|
class MVGLiveSensor(SensorEntity):
|
|
"""Implementation of an MVG Live sensor."""
|
|
|
|
_attr_attribution = ATTRIBUTION
|
|
|
|
def __init__(
|
|
self,
|
|
hass: HomeAssistant,
|
|
station_name,
|
|
destinations,
|
|
lines,
|
|
products,
|
|
timeoffset,
|
|
number,
|
|
name,
|
|
) -> None:
|
|
"""Initialize the sensor."""
|
|
self._name = name
|
|
self._station_name = station_name
|
|
self.data = MVGLiveData(
|
|
hass, station_name, destinations, lines, products, timeoffset, number
|
|
)
|
|
self._state = None
|
|
self._icon = ICONS["-"]
|
|
|
|
@property
|
|
def name(self) -> str | None:
|
|
"""Return the name of the sensor."""
|
|
if self._name:
|
|
return self._name
|
|
return self._station_name
|
|
|
|
@property
|
|
def native_value(self) -> str | None:
|
|
"""Return the next departure time."""
|
|
return self._state
|
|
|
|
@property
|
|
def extra_state_attributes(self) -> Mapping[str, Any] | None:
|
|
"""Return the state attributes."""
|
|
if not (dep := self.data.departures):
|
|
return None
|
|
attr = dep[0] # next depature attributes
|
|
attr["departures"] = deepcopy(dep) # all departures dictionary
|
|
return attr
|
|
|
|
@property
|
|
def icon(self) -> str | None:
|
|
"""Icon to use in the frontend, if any."""
|
|
return self._icon
|
|
|
|
@property
|
|
def native_unit_of_measurement(self) -> str | None:
|
|
"""Return the unit this state is expressed in."""
|
|
return UnitOfTime.MINUTES
|
|
|
|
async def async_update(self) -> None:
|
|
"""Get the latest data and update the state."""
|
|
await self.data.update()
|
|
if not self.data.departures:
|
|
self._state = None
|
|
self._icon = ICONS["-"]
|
|
else:
|
|
self._state = self.data.departures[0].get("time_in_mins", "-")
|
|
self._icon = self.data.departures[0].get("icon", ICONS["-"])
|
|
|
|
|
|
def _get_minutes_until_departure(departure_time: int) -> int:
|
|
"""Calculate the time difference in minutes between the current time and a given departure time.
|
|
|
|
Args:
|
|
departure_time: Unix timestamp of the departure time, in seconds.
|
|
|
|
Returns:
|
|
The time difference in minutes, as an integer.
|
|
|
|
"""
|
|
current_time = dt_util.utcnow()
|
|
departure_datetime = dt_util.utc_from_timestamp(departure_time)
|
|
time_difference = (departure_datetime - current_time).total_seconds()
|
|
return int(time_difference / 60.0)
|
|
|
|
|
|
class MVGLiveData:
|
|
"""Pull data from the mvg.de web page."""
|
|
|
|
def __init__(
|
|
self,
|
|
hass: HomeAssistant,
|
|
station_name,
|
|
destinations,
|
|
lines,
|
|
products,
|
|
timeoffset,
|
|
number,
|
|
) -> None:
|
|
"""Initialize the sensor."""
|
|
self._hass = hass
|
|
self._station_name = station_name
|
|
self._station_id = None
|
|
self._destinations = destinations
|
|
self._lines = lines
|
|
self._products = products
|
|
self._timeoffset = timeoffset
|
|
self._number = number
|
|
self.departures: list[dict[str, Any]] = []
|
|
|
|
async def update(self):
|
|
"""Update the connection data."""
|
|
if self._station_id is None:
|
|
try:
|
|
station = await MvgApi.station_async(self._station_name)
|
|
self._station_id = station["id"]
|
|
except MvgApiError as err:
|
|
_LOGGER.error(
|
|
"Failed to resolve station %s: %s", self._station_name, err
|
|
)
|
|
self.departures = []
|
|
return
|
|
|
|
try:
|
|
_departures = await MvgApi.departures_async(
|
|
station_id=self._station_id,
|
|
offset=self._timeoffset,
|
|
limit=self._number,
|
|
transport_types=[
|
|
transport_type
|
|
for transport_type in TransportType
|
|
if transport_type.value[0] in self._products
|
|
]
|
|
if self._products
|
|
else None,
|
|
)
|
|
except ValueError:
|
|
self.departures = []
|
|
_LOGGER.warning("Returned data not understood")
|
|
return
|
|
self.departures = []
|
|
for _departure in _departures:
|
|
if (
|
|
"" not in self._destinations[:1]
|
|
and _departure["destination"] not in self._destinations
|
|
):
|
|
continue
|
|
|
|
if "" not in self._lines[:1] and _departure["line"] not in self._lines:
|
|
continue
|
|
|
|
time_to_departure = _get_minutes_until_departure(_departure["time"])
|
|
|
|
if time_to_departure < self._timeoffset:
|
|
continue
|
|
|
|
_nextdep = {}
|
|
for k in ("destination", "line", "type", "cancelled", "icon"):
|
|
_nextdep[k] = _departure.get(k, "")
|
|
_nextdep["time_in_mins"] = time_to_departure
|
|
self.departures.append(_nextdep)
|