mirror of
https://github.com/home-assistant/core.git
synced 2026-02-26 04:46:08 +00:00
* Moved climate components with tests into platform dirs. * Updated tests from climate component. * Moved binary_sensor components with tests into platform dirs. * Updated tests from binary_sensor component. * Moved calendar components with tests into platform dirs. * Updated tests from calendar component. * Moved camera components with tests into platform dirs. * Updated tests from camera component. * Moved cover components with tests into platform dirs. * Updated tests from cover component. * Moved device_tracker components with tests into platform dirs. * Updated tests from device_tracker component. * Moved fan components with tests into platform dirs. * Updated tests from fan component. * Moved geo_location components with tests into platform dirs. * Updated tests from geo_location component. * Moved image_processing components with tests into platform dirs. * Updated tests from image_processing component. * Moved light components with tests into platform dirs. * Updated tests from light component. * Moved lock components with tests into platform dirs. * Moved media_player components with tests into platform dirs. * Updated tests from media_player component. * Moved scene components with tests into platform dirs. * Moved sensor components with tests into platform dirs. * Updated tests from sensor component. * Moved switch components with tests into platform dirs. * Updated tests from sensor component. * Moved vacuum components with tests into platform dirs. * Updated tests from vacuum component. * Moved weather components with tests into platform dirs. * Fixed __init__.py files * Fixes for stuff moved as part of this branch. * Fix stuff needed to merge with balloob's branch. * Formatting issues. * Missing __init__.py files. * Fix-ups * Fixup * Regenerated requirements. * Linting errors fixed. * Fixed more broken tests. * Missing init files. * Fix broken tests. * More broken tests * There seems to be a thread race condition. I suspect the logger stuff is running in another thread, which means waiting until the aio loop is done is missing the log messages. Used sleep instead because that allows the logger thread to run. I think the api_streams sensor might not be thread safe. * Disabled tests, will remove sensor in #22147 * Updated coverage and codeowners.
178 lines
5.3 KiB
Python
178 lines
5.3 KiB
Python
"""
|
|
Support for EverLights lights.
|
|
|
|
For more details about this platform, please refer to the documentation at
|
|
https://home-assistant.io/components/light.everlights/
|
|
"""
|
|
import logging
|
|
from datetime import timedelta
|
|
from typing import Tuple
|
|
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.const import CONF_HOSTS
|
|
from homeassistant.components.light import (
|
|
ATTR_BRIGHTNESS, ATTR_HS_COLOR, ATTR_EFFECT,
|
|
SUPPORT_BRIGHTNESS, SUPPORT_EFFECT, SUPPORT_COLOR,
|
|
Light, PLATFORM_SCHEMA)
|
|
import homeassistant.helpers.config_validation as cv
|
|
import homeassistant.util.color as color_util
|
|
from homeassistant.helpers.aiohttp_client import async_get_clientsession
|
|
from homeassistant.exceptions import PlatformNotReady
|
|
|
|
REQUIREMENTS = ['pyeverlights==0.1.0']
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
SUPPORT_EVERLIGHTS = (SUPPORT_EFFECT | SUPPORT_BRIGHTNESS | SUPPORT_COLOR)
|
|
|
|
SCAN_INTERVAL = timedelta(minutes=1)
|
|
|
|
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend({
|
|
vol.Required(CONF_HOSTS): vol.All(cv.ensure_list, [cv.string]),
|
|
})
|
|
|
|
NAME_FORMAT = "EverLights {} Zone {}"
|
|
|
|
|
|
def color_rgb_to_int(red: int, green: int, blue: int) -> int:
|
|
"""Return a RGB color as an integer."""
|
|
return red*256*256+green*256+blue
|
|
|
|
|
|
def color_int_to_rgb(value: int) -> Tuple[int, int, int]:
|
|
"""Return an RGB tuple from an integer."""
|
|
return (value >> 16, (value >> 8) & 0xff, value & 0xff)
|
|
|
|
|
|
async def async_setup_platform(hass, config, async_add_entities,
|
|
discovery_info=None):
|
|
"""Set up the EverLights lights from configuration.yaml."""
|
|
import pyeverlights
|
|
lights = []
|
|
|
|
for ipaddr in config[CONF_HOSTS]:
|
|
api = pyeverlights.EverLights(ipaddr,
|
|
async_get_clientsession(hass))
|
|
|
|
try:
|
|
status = await api.get_status()
|
|
|
|
effects = await api.get_all_patterns()
|
|
|
|
except pyeverlights.ConnectionError:
|
|
raise PlatformNotReady
|
|
|
|
else:
|
|
lights.append(EverLightsLight(api, pyeverlights.ZONE_1,
|
|
status, effects))
|
|
lights.append(EverLightsLight(api, pyeverlights.ZONE_2,
|
|
status, effects))
|
|
|
|
async_add_entities(lights)
|
|
|
|
|
|
class EverLightsLight(Light):
|
|
"""Representation of a Flux light."""
|
|
|
|
def __init__(self, api, channel, status, effects):
|
|
"""Initialize the light."""
|
|
self._api = api
|
|
self._channel = channel
|
|
self._status = status
|
|
self._effects = effects
|
|
self._mac = status['mac']
|
|
self._error_reported = False
|
|
self._hs_color = [255, 255]
|
|
self._brightness = 255
|
|
self._effect = None
|
|
self._available = True
|
|
|
|
@property
|
|
def unique_id(self) -> str:
|
|
"""Return a unique ID."""
|
|
return '{}-{}'.format(self._mac, self._channel)
|
|
|
|
@property
|
|
def available(self) -> bool:
|
|
"""Return True if entity is available."""
|
|
return self._available
|
|
|
|
@property
|
|
def name(self):
|
|
"""Return the name of the device."""
|
|
return NAME_FORMAT.format(self._mac, self._channel)
|
|
|
|
@property
|
|
def is_on(self):
|
|
"""Return true if device is on."""
|
|
return self._status['ch{}Active'.format(self._channel)] == 1
|
|
|
|
@property
|
|
def brightness(self):
|
|
"""Return the brightness of this light between 0..255."""
|
|
return self._brightness
|
|
|
|
@property
|
|
def hs_color(self):
|
|
"""Return the color property."""
|
|
return self._hs_color
|
|
|
|
@property
|
|
def effect(self):
|
|
"""Return the effect property."""
|
|
return self._effect
|
|
|
|
@property
|
|
def supported_features(self):
|
|
"""Flag supported features."""
|
|
return SUPPORT_EVERLIGHTS
|
|
|
|
@property
|
|
def effect_list(self):
|
|
"""Return the list of supported effects."""
|
|
return self._effects
|
|
|
|
async def async_turn_on(self, **kwargs):
|
|
"""Turn the light on."""
|
|
hs_color = kwargs.get(ATTR_HS_COLOR, self._hs_color)
|
|
brightness = kwargs.get(ATTR_BRIGHTNESS, self._brightness)
|
|
effect = kwargs.get(ATTR_EFFECT)
|
|
|
|
if effect is not None:
|
|
colors = await self._api.set_pattern_by_id(self._channel, effect)
|
|
|
|
rgb = color_int_to_rgb(colors[0])
|
|
hsv = color_util.color_RGB_to_hsv(*rgb)
|
|
hs_color = hsv[:2]
|
|
brightness = hsv[2] / 100 * 255
|
|
|
|
else:
|
|
rgb = color_util.color_hsv_to_RGB(*hs_color, brightness/255*100)
|
|
colors = [color_rgb_to_int(*rgb)]
|
|
|
|
await self._api.set_pattern(self._channel, colors)
|
|
|
|
self._hs_color = hs_color
|
|
self._brightness = brightness
|
|
self._effect = effect
|
|
|
|
async def async_turn_off(self, **kwargs):
|
|
"""Turn the light off."""
|
|
await self._api.clear_pattern(self._channel)
|
|
|
|
async def async_update(self):
|
|
"""Synchronize state with control box."""
|
|
import pyeverlights
|
|
|
|
try:
|
|
self._status = await self._api.get_status()
|
|
except pyeverlights.ConnectionError:
|
|
if self._available:
|
|
_LOGGER.warning("EverLights control box connection lost.")
|
|
self._available = False
|
|
else:
|
|
if not self._available:
|
|
_LOGGER.warning("EverLights control box connection restored.")
|
|
self._available = True
|