85 lines
2.5 KiB
Python
85 lines
2.5 KiB
Python
"""
|
|
Support for ADS binary sensors.
|
|
|
|
For more details about this platform, please refer to the documentation.
|
|
https://home-assistant.io/components/binary_sensor.ads/
|
|
"""
|
|
import asyncio
|
|
import logging
|
|
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.components.ads import CONF_ADS_VAR, DATA_ADS
|
|
from homeassistant.components.binary_sensor import (
|
|
DEVICE_CLASSES_SCHEMA, PLATFORM_SCHEMA, BinarySensorDevice)
|
|
from homeassistant.const import CONF_DEVICE_CLASS, CONF_NAME
|
|
import homeassistant.helpers.config_validation as cv
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
DEFAULT_NAME = 'ADS binary sensor'
|
|
DEPENDENCIES = ['ads']
|
|
|
|
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend({
|
|
vol.Required(CONF_ADS_VAR): cv.string,
|
|
vol.Optional(CONF_NAME, default=DEFAULT_NAME): cv.string,
|
|
vol.Optional(CONF_DEVICE_CLASS): DEVICE_CLASSES_SCHEMA,
|
|
})
|
|
|
|
|
|
def setup_platform(hass, config, add_devices, discovery_info=None):
|
|
"""Set up the Binary Sensor platform for ADS."""
|
|
ads_hub = hass.data.get(DATA_ADS)
|
|
|
|
ads_var = config.get(CONF_ADS_VAR)
|
|
name = config.get(CONF_NAME)
|
|
device_class = config.get(CONF_DEVICE_CLASS)
|
|
|
|
ads_sensor = AdsBinarySensor(ads_hub, name, ads_var, device_class)
|
|
add_devices([ads_sensor])
|
|
|
|
|
|
class AdsBinarySensor(BinarySensorDevice):
|
|
"""Representation of ADS binary sensors."""
|
|
|
|
def __init__(self, ads_hub, name, ads_var, device_class):
|
|
"""Initialize ADS binary sensor."""
|
|
self._name = name
|
|
self._state = False
|
|
self._device_class = device_class or 'moving'
|
|
self._ads_hub = ads_hub
|
|
self.ads_var = ads_var
|
|
|
|
@asyncio.coroutine
|
|
def async_added_to_hass(self):
|
|
"""Register device notification."""
|
|
def update(name, value):
|
|
"""Handle device notifications."""
|
|
_LOGGER.debug('Variable %s changed its value to %d', name, value)
|
|
self._state = value
|
|
self.schedule_update_ha_state()
|
|
|
|
self.hass.async_add_job(
|
|
self._ads_hub.add_device_notification,
|
|
self.ads_var, self._ads_hub.PLCTYPE_BOOL, update)
|
|
|
|
@property
|
|
def name(self):
|
|
"""Return the default name of the binary sensor."""
|
|
return self._name
|
|
|
|
@property
|
|
def device_class(self):
|
|
"""Return the device class."""
|
|
return self._device_class
|
|
|
|
@property
|
|
def is_on(self):
|
|
"""Return if the binary sensor is on."""
|
|
return self._state
|
|
|
|
@property
|
|
def should_poll(self):
|
|
"""Return False because entity pushes its state to HA."""
|
|
return False
|