345 lines
12 KiB
Python
345 lines
12 KiB
Python
"""
|
|
Support for Sensibo wifi-enabled home thermostats.
|
|
|
|
For more details about this platform, please refer to the documentation at
|
|
https://home-assistant.io/components/climate.sensibo/
|
|
"""
|
|
|
|
import asyncio
|
|
import logging
|
|
|
|
import aiohttp
|
|
import async_timeout
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.const import (
|
|
ATTR_ENTITY_ID, ATTR_STATE, ATTR_TEMPERATURE, CONF_API_KEY, CONF_ID,
|
|
STATE_ON, STATE_OFF, TEMP_CELSIUS, TEMP_FAHRENHEIT)
|
|
from homeassistant.components.climate import (
|
|
ATTR_CURRENT_HUMIDITY, ClimateDevice, DOMAIN, PLATFORM_SCHEMA,
|
|
SUPPORT_TARGET_TEMPERATURE, SUPPORT_OPERATION_MODE,
|
|
SUPPORT_FAN_MODE, SUPPORT_SWING_MODE,
|
|
SUPPORT_ON_OFF)
|
|
from homeassistant.exceptions import PlatformNotReady
|
|
from homeassistant.helpers import config_validation as cv
|
|
from homeassistant.helpers.aiohttp_client import async_get_clientsession
|
|
from homeassistant.util.temperature import convert as convert_temperature
|
|
|
|
REQUIREMENTS = ['pysensibo==1.0.2']
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
ALL = ['all']
|
|
TIMEOUT = 10
|
|
|
|
SERVICE_ASSUME_STATE = 'sensibo_assume_state'
|
|
|
|
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend({
|
|
vol.Required(CONF_API_KEY): cv.string,
|
|
vol.Optional(CONF_ID, default=ALL): vol.All(cv.ensure_list, [cv.string]),
|
|
})
|
|
|
|
ASSUME_STATE_SCHEMA = vol.Schema({
|
|
vol.Optional(ATTR_ENTITY_ID): cv.entity_ids,
|
|
vol.Required(ATTR_STATE): cv.string,
|
|
})
|
|
|
|
_FETCH_FIELDS = ','.join([
|
|
'room{name}', 'measurements', 'remoteCapabilities',
|
|
'acState', 'connectionStatus{isAlive}', 'temperatureUnit'])
|
|
_INITIAL_FETCH_FIELDS = 'id,' + _FETCH_FIELDS
|
|
|
|
FIELD_TO_FLAG = {
|
|
'fanLevel': SUPPORT_FAN_MODE,
|
|
'mode': SUPPORT_OPERATION_MODE,
|
|
'swing': SUPPORT_SWING_MODE,
|
|
'targetTemperature': SUPPORT_TARGET_TEMPERATURE,
|
|
'on': SUPPORT_ON_OFF,
|
|
}
|
|
|
|
|
|
@asyncio.coroutine
|
|
def async_setup_platform(hass, config, async_add_devices, discovery_info=None):
|
|
"""Set up Sensibo devices."""
|
|
import pysensibo
|
|
|
|
client = pysensibo.SensiboClient(
|
|
config[CONF_API_KEY], session=async_get_clientsession(hass),
|
|
timeout=TIMEOUT)
|
|
devices = []
|
|
try:
|
|
for dev in (
|
|
yield from client.async_get_devices(_INITIAL_FETCH_FIELDS)):
|
|
if config[CONF_ID] == ALL or dev['id'] in config[CONF_ID]:
|
|
devices.append(SensiboClimate(client, dev))
|
|
except (aiohttp.client_exceptions.ClientConnectorError,
|
|
asyncio.TimeoutError):
|
|
_LOGGER.exception('Failed to connect to Sensibo servers.')
|
|
raise PlatformNotReady
|
|
|
|
if devices:
|
|
async_add_devices(devices)
|
|
|
|
@asyncio.coroutine
|
|
def async_assume_state(service):
|
|
"""Set state according to external service call.."""
|
|
entity_ids = service.data.get(ATTR_ENTITY_ID)
|
|
if entity_ids:
|
|
target_climate = [device for device in devices
|
|
if device.entity_id in entity_ids]
|
|
else:
|
|
target_climate = devices
|
|
|
|
update_tasks = []
|
|
for climate in target_climate:
|
|
yield from climate.async_assume_state(
|
|
service.data.get(ATTR_STATE))
|
|
update_tasks.append(climate.async_update_ha_state(True))
|
|
|
|
if update_tasks:
|
|
yield from asyncio.wait(update_tasks, loop=hass.loop)
|
|
hass.services.async_register(
|
|
DOMAIN, SERVICE_ASSUME_STATE, async_assume_state,
|
|
schema=ASSUME_STATE_SCHEMA)
|
|
|
|
|
|
class SensiboClimate(ClimateDevice):
|
|
"""Representation of a Sensibo device."""
|
|
|
|
def __init__(self, client, data):
|
|
"""Build SensiboClimate.
|
|
|
|
client: aiohttp session.
|
|
data: initially-fetched data.
|
|
"""
|
|
self._client = client
|
|
self._id = data['id']
|
|
self._external_state = None
|
|
self._do_update(data)
|
|
|
|
@property
|
|
def supported_features(self):
|
|
"""Return the list of supported features."""
|
|
return self._supported_features
|
|
|
|
def _do_update(self, data):
|
|
self._name = data['room']['name']
|
|
self._measurements = data['measurements']
|
|
self._ac_states = data['acState']
|
|
self._status = data['connectionStatus']['isAlive']
|
|
capabilities = data['remoteCapabilities']
|
|
self._operations = sorted(capabilities['modes'].keys())
|
|
self._current_capabilities = capabilities[
|
|
'modes'][self.current_operation]
|
|
temperature_unit_key = data.get('temperatureUnit') or \
|
|
self._ac_states.get('temperatureUnit')
|
|
if temperature_unit_key:
|
|
self._temperature_unit = TEMP_CELSIUS if \
|
|
temperature_unit_key == 'C' else TEMP_FAHRENHEIT
|
|
self._temperatures_list = self._current_capabilities[
|
|
'temperatures'].get(temperature_unit_key, {}).get('values', [])
|
|
else:
|
|
self._temperature_unit = self.unit_of_measurement
|
|
self._temperatures_list = []
|
|
self._supported_features = 0
|
|
for key in self._ac_states:
|
|
if key in FIELD_TO_FLAG:
|
|
self._supported_features |= FIELD_TO_FLAG[key]
|
|
|
|
@property
|
|
def state(self):
|
|
"""Return the current state."""
|
|
return self._external_state or super().state
|
|
|
|
@property
|
|
def device_state_attributes(self):
|
|
"""Return the state attributes."""
|
|
return {ATTR_CURRENT_HUMIDITY: self.current_humidity}
|
|
|
|
@property
|
|
def temperature_unit(self):
|
|
"""Return the unit of measurement which this thermostat uses."""
|
|
return self._temperature_unit
|
|
|
|
@property
|
|
def available(self):
|
|
"""Return True if entity is available."""
|
|
return self._status
|
|
|
|
@property
|
|
def target_temperature(self):
|
|
"""Return the temperature we try to reach."""
|
|
return self._ac_states.get('targetTemperature')
|
|
|
|
@property
|
|
def target_temperature_step(self):
|
|
"""Return the supported step of target temperature."""
|
|
if self.temperature_unit == self.unit_of_measurement:
|
|
# We are working in same units as the a/c unit. Use whole degrees
|
|
# like the API supports.
|
|
return 1
|
|
# Unit conversion is going on. No point to stick to specific steps.
|
|
return None
|
|
|
|
@property
|
|
def current_operation(self):
|
|
"""Return current operation ie. heat, cool, idle."""
|
|
return self._ac_states['mode']
|
|
|
|
@property
|
|
def current_humidity(self):
|
|
"""Return the current humidity."""
|
|
return self._measurements['humidity']
|
|
|
|
@property
|
|
def current_temperature(self):
|
|
"""Return the current temperature."""
|
|
# This field is not affected by temperatureUnit.
|
|
# It is always in C
|
|
return convert_temperature(
|
|
self._measurements['temperature'],
|
|
TEMP_CELSIUS,
|
|
self.temperature_unit)
|
|
|
|
@property
|
|
def operation_list(self):
|
|
"""List of available operation modes."""
|
|
return self._operations
|
|
|
|
@property
|
|
def current_fan_mode(self):
|
|
"""Return the fan setting."""
|
|
return self._ac_states.get('fanLevel')
|
|
|
|
@property
|
|
def fan_list(self):
|
|
"""List of available fan modes."""
|
|
return self._current_capabilities.get('fanLevels')
|
|
|
|
@property
|
|
def current_swing_mode(self):
|
|
"""Return the fan setting."""
|
|
return self._ac_states.get('swing')
|
|
|
|
@property
|
|
def swing_list(self):
|
|
"""List of available swing modes."""
|
|
return self._current_capabilities.get('swing')
|
|
|
|
@property
|
|
def name(self):
|
|
"""Return the name of the entity."""
|
|
return self._name
|
|
|
|
@property
|
|
def is_on(self):
|
|
"""Return true if AC is on."""
|
|
return self._ac_states['on']
|
|
|
|
@property
|
|
def min_temp(self):
|
|
"""Return the minimum temperature."""
|
|
return self._temperatures_list[0] \
|
|
if self._temperatures_list else super().min_temp
|
|
|
|
@property
|
|
def max_temp(self):
|
|
"""Return the maximum temperature."""
|
|
return self._temperatures_list[-1] \
|
|
if self._temperatures_list else super().max_temp
|
|
|
|
@property
|
|
def unique_id(self):
|
|
"""Return unique ID based on Sensibo ID."""
|
|
return self._id
|
|
|
|
@asyncio.coroutine
|
|
def async_set_temperature(self, **kwargs):
|
|
"""Set new target temperature."""
|
|
temperature = kwargs.get(ATTR_TEMPERATURE)
|
|
if temperature is None:
|
|
return
|
|
temperature = int(temperature)
|
|
if temperature not in self._temperatures_list:
|
|
# Requested temperature is not supported.
|
|
if temperature == self.target_temperature:
|
|
return
|
|
index = self._temperatures_list.index(self.target_temperature)
|
|
if temperature > self.target_temperature and index < len(
|
|
self._temperatures_list) - 1:
|
|
temperature = self._temperatures_list[index + 1]
|
|
elif temperature < self.target_temperature and index > 0:
|
|
temperature = self._temperatures_list[index - 1]
|
|
else:
|
|
return
|
|
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'targetTemperature', temperature, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_set_fan_mode(self, fan_mode):
|
|
"""Set new target fan mode."""
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'fanLevel', fan_mode, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_set_operation_mode(self, operation_mode):
|
|
"""Set new target operation mode."""
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'mode', operation_mode, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_set_swing_mode(self, swing_mode):
|
|
"""Set new target swing operation."""
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'swing', swing_mode, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_turn_on(self):
|
|
"""Turn Sensibo unit on."""
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'on', True, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_turn_off(self):
|
|
"""Turn Sensibo unit on."""
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id, 'on', False, self._ac_states)
|
|
|
|
@asyncio.coroutine
|
|
def async_assume_state(self, state):
|
|
"""Set external state."""
|
|
change_needed = (state != STATE_OFF and not self.is_on) \
|
|
or (state == STATE_OFF and self.is_on)
|
|
if change_needed:
|
|
with async_timeout.timeout(TIMEOUT):
|
|
yield from self._client.async_set_ac_state_property(
|
|
self._id,
|
|
'on',
|
|
state != STATE_OFF, # value
|
|
self._ac_states,
|
|
True # assumed_state
|
|
)
|
|
|
|
if state in [STATE_ON, STATE_OFF]:
|
|
self._external_state = None
|
|
else:
|
|
self._external_state = state
|
|
|
|
@asyncio.coroutine
|
|
def async_update(self):
|
|
"""Retrieve latest state."""
|
|
try:
|
|
with async_timeout.timeout(TIMEOUT):
|
|
data = yield from self._client.async_get_device(
|
|
self._id, _FETCH_FIELDS)
|
|
self._do_update(data)
|
|
except aiohttp.client_exceptions.ClientError:
|
|
_LOGGER.warning('Failed to connect to Sensibo servers.')
|