core/homeassistant/components/switch/arest.py

196 lines
6.2 KiB
Python

"""
Support for an exposed aREST RESTful API of a device.
For more details about this platform, please refer to the documentation at
https://home-assistant.io/components/switch.arest/
"""
import logging
import requests
import voluptuous as vol
from homeassistant.components.switch import (SwitchDevice, PLATFORM_SCHEMA)
from homeassistant.const import (CONF_NAME, CONF_RESOURCE)
import homeassistant.helpers.config_validation as cv
_LOGGER = logging.getLogger(__name__)
CONF_FUNCTIONS = 'functions'
CONF_PINS = 'pins'
DEFAULT_NAME = 'aREST switch'
PIN_FUNCTION_SCHEMA = vol.Schema({
vol.Optional(CONF_NAME): cv.string,
})
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend({
vol.Required(CONF_RESOURCE): cv.url,
vol.Optional(CONF_NAME, default=DEFAULT_NAME): cv.string,
vol.Optional(CONF_PINS, default={}):
vol.Schema({cv.string: PIN_FUNCTION_SCHEMA}),
vol.Optional(CONF_FUNCTIONS, default={}):
vol.Schema({cv.string: PIN_FUNCTION_SCHEMA}),
})
def setup_platform(hass, config, add_devices, discovery_info=None):
"""Set up the aREST switches."""
resource = config.get(CONF_RESOURCE)
try:
response = requests.get(resource, timeout=10)
except requests.exceptions.MissingSchema:
_LOGGER.error("Missing resource or schema in configuration. "
"Add http:// to your URL")
return False
except requests.exceptions.ConnectionError:
_LOGGER.error("No route to device at %s", resource)
return False
dev = []
pins = config.get(CONF_PINS)
for pinnum, pin in pins.items():
dev.append(ArestSwitchPin(
resource, config.get(CONF_NAME, response.json()[CONF_NAME]),
pin.get(CONF_NAME), pinnum))
functions = config.get(CONF_FUNCTIONS)
for funcname, func in functions.items():
dev.append(ArestSwitchFunction(
resource, config.get(CONF_NAME, response.json()[CONF_NAME]),
func.get(CONF_NAME), funcname))
add_devices(dev)
class ArestSwitchBase(SwitchDevice):
"""Representation of an aREST switch."""
def __init__(self, resource, location, name):
"""Initialize the switch."""
self._resource = resource
self._name = '{} {}'.format(location.title(), name.title())
self._state = None
self._available = True
@property
def name(self):
"""Return the name of the switch."""
return self._name
@property
def is_on(self):
"""Return true if device is on."""
return self._state
@property
def available(self):
"""Could the device be accessed during the last update call."""
return self._available
class ArestSwitchFunction(ArestSwitchBase):
"""Representation of an aREST switch."""
def __init__(self, resource, location, name, func):
"""Initialize the switch."""
super().__init__(resource, location, name)
self._func = func
request = requests.get(
'{}/{}'.format(self._resource, self._func), timeout=10)
if request.status_code != 200:
_LOGGER.error("Can't find function")
return
try:
request.json()['return_value']
except KeyError:
_LOGGER.error("No return_value received")
except ValueError:
_LOGGER.error("Response invalid")
def turn_on(self, **kwargs):
"""Turn the device on."""
request = requests.get(
'{}/{}'.format(self._resource, self._func), timeout=10,
params={'params': '1'})
if request.status_code == 200:
self._state = True
else:
_LOGGER.error(
"Can't turn on function %s at %s", self._func, self._resource)
def turn_off(self, **kwargs):
"""Turn the device off."""
request = requests.get(
'{}/{}'.format(self._resource, self._func), timeout=10,
params={'params': '0'})
if request.status_code == 200:
self._state = False
else:
_LOGGER.error(
"Can't turn off function %s at %s", self._func, self._resource)
def update(self):
"""Get the latest data from aREST API and update the state."""
try:
request = requests.get(
'{}/{}'.format(self._resource, self._func), timeout=10)
self._state = request.json()['return_value'] != 0
self._available = True
except requests.exceptions.ConnectionError:
_LOGGER.warning("No route to device %s", self._resource)
self._available = False
class ArestSwitchPin(ArestSwitchBase):
"""Representation of an aREST switch. Based on digital I/O."""
def __init__(self, resource, location, name, pin):
"""Initialize the switch."""
super().__init__(resource, location, name)
self._pin = pin
request = requests.get(
'{}/mode/{}/o'.format(self._resource, self._pin), timeout=10)
if request.status_code != 200:
_LOGGER.error("Can't set mode")
self._available = False
def turn_on(self, **kwargs):
"""Turn the device on."""
request = requests.get(
'{}/digital/{}/1'.format(self._resource, self._pin), timeout=10)
if request.status_code == 200:
self._state = True
else:
_LOGGER.error(
"Can't turn on pin %s at %s", self._pin, self._resource)
def turn_off(self, **kwargs):
"""Turn the device off."""
request = requests.get(
'{}/digital/{}/0'.format(self._resource, self._pin), timeout=10)
if request.status_code == 200:
self._state = False
else:
_LOGGER.error(
"Can't turn off pin %s at %s", self._pin, self._resource)
def update(self):
"""Get the latest data from aREST API and update the state."""
try:
request = requests.get(
'{}/digital/{}'.format(self._resource, self._pin), timeout=10)
self._state = request.json()['return_value'] != 0
self._available = True
except requests.exceptions.ConnectionError:
_LOGGER.warning("No route to device %s", self._resource)
self._available = False