forked from github.com/eufy_robovac
Home assistant component
This commit is contained in:
@@ -15,3 +15,8 @@
|
||||
# limitations under the License.
|
||||
|
||||
from .robovac import Robovac
|
||||
|
||||
try:
|
||||
from .platform import *
|
||||
except ImportError:
|
||||
pass
|
||||
|
||||
45
eufy_robovac/platform.py
Normal file
45
eufy_robovac/platform.py
Normal file
@@ -0,0 +1,45 @@
|
||||
### HA support
|
||||
|
||||
"""Support for Eufy devices."""
|
||||
import logging
|
||||
|
||||
import voluptuous as vol
|
||||
|
||||
from homeassistant.const import (
|
||||
CONF_ACCESS_TOKEN, CONF_ADDRESS, CONF_DEVICES, CONF_NAME,
|
||||
CONF_ID, CONF_TYPE)
|
||||
from homeassistant.helpers import discovery
|
||||
import homeassistant.helpers.config_validation as cv
|
||||
|
||||
_LOGGER = logging.getLogger(__name__)
|
||||
|
||||
DOMAIN = 'eufy_vacuum'
|
||||
|
||||
DEVICE_SCHEMA = vol.Schema({
|
||||
vol.Required(CONF_ADDRESS): cv.string,
|
||||
vol.Required(CONF_ACCESS_TOKEN): cv.string,
|
||||
vol.Required(CONF_ID): cv.string,
|
||||
vol.Required(CONF_TYPE): cv.string,
|
||||
vol.Optional(CONF_NAME): cv.string
|
||||
})
|
||||
|
||||
CONFIG_SCHEMA = vol.Schema({
|
||||
DOMAIN: vol.Schema({
|
||||
vol.Optional(CONF_DEVICES, default=[]):
|
||||
vol.All(cv.ensure_list, [DEVICE_SCHEMA]),
|
||||
}),
|
||||
}, extra=vol.ALLOW_EXTRA)
|
||||
|
||||
|
||||
def setup(hass, config):
|
||||
"""Set up Eufy devices."""
|
||||
for device_info in config[DOMAIN][CONF_DEVICES]:
|
||||
device = {}
|
||||
device['address'] = device_info[CONF_ADDRESS]
|
||||
device['local_key'] = device_info[CONF_ACCESS_TOKEN]
|
||||
device['device_id'] = device_info[CONF_ID]
|
||||
device['name'] = device_info[CONF_NAME]
|
||||
device['model'] = device_info[CONF_TYPE]
|
||||
discovery.load_platform(hass, 'vacuum', DOMAIN, device)
|
||||
|
||||
return True
|
||||
176
eufy_robovac/vacuum.py
Normal file
176
eufy_robovac/vacuum.py
Normal file
@@ -0,0 +1,176 @@
|
||||
"""Support for Eufy vacuum cleaners."""
|
||||
import logging
|
||||
|
||||
from homeassistant.components.vacuum import (
|
||||
PLATFORM_SCHEMA,
|
||||
STATE_CLEANING, STATE_DOCKED, STATE_IDLE, STATE_PAUSED, STATE_RETURNING,
|
||||
STATE_ERROR,
|
||||
SUPPORT_BATTERY, SUPPORT_CLEAN_SPOT, SUPPORT_FAN_SPEED, SUPPORT_LOCATE,
|
||||
SUPPORT_PAUSE, SUPPORT_RETURN_HOME, SUPPORT_STATUS, SUPPORT_START,
|
||||
SUPPORT_TURN_ON, SUPPORT_TURN_OFF,
|
||||
VacuumDevice)
|
||||
|
||||
|
||||
import .robovac
|
||||
|
||||
_LOGGER = logging.getLogger(__name__)
|
||||
|
||||
|
||||
FAN_SPEED_OFF = 'Off'
|
||||
FAN_SPEED_STANDARD = 'Standard'
|
||||
FAN_SPEED_BOOST_IQ = 'Boost IQ'
|
||||
FAN_SPEED_MAX = 'Max'
|
||||
FAN_SPEEDS = {
|
||||
robovac.Robovac.CleanSpeed.NO_SUCTION: FAN_SPEED_OFF,
|
||||
robovac.Robovac.CleanSpeed.STANDARD: FAN_SPEED_STANDARD,
|
||||
robovac.Robovac.CleanSpeed.BOOST_IQ: FAN_SPEED_BOOST_IQ,
|
||||
robovac.Robovac.CleanSpeed.MAX: FAN_SPEED_MAX,
|
||||
}
|
||||
|
||||
|
||||
SUPPORT_ROBOVAC_T2118 = (
|
||||
SUPPORT_BATTERY | SUPPORT_CLEAN_SPOT | SUPPORT_FAN_SPEED | SUPPORT_LOCATE |
|
||||
SUPPORT_PAUSE | SUPPORT_RETURN_HOME | SUPPORT_START | SUPPORT_STATUS |
|
||||
SUPPORT_TURN_OFF | SUPPORT_TURN_ON
|
||||
)
|
||||
|
||||
|
||||
MODEL_CONFIG = {
|
||||
'T2118': {
|
||||
'fan_speeds': FAN_SPEEDS,
|
||||
'support': SUPPORT_ROBOVAC_T2118
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
def setup_platform(hass, config, add_entities, device_config=None):
|
||||
"""Set up Eufy vacuum cleaners."""
|
||||
if device_config is None:
|
||||
return
|
||||
add_entities([EufyVacuum(device_config)], True)
|
||||
|
||||
|
||||
class EufyVacuum(VacuumDevice):
|
||||
"""Representation of a Eufy vacuum cleaner."""
|
||||
|
||||
def __init__(self, device_config):
|
||||
"""Initialize the light."""
|
||||
|
||||
try:
|
||||
self._config = MODEL_CONFIG[device_config['model'].upper()]
|
||||
except KeyError:
|
||||
raise RuntimeError("Unsupported model {}".format(
|
||||
device_config['model']))
|
||||
|
||||
self._fan_speed_reverse_mapping = {
|
||||
v: k for k, v in self._config['fan_speeds'].items()}
|
||||
self._device_id = device_config['device_id']
|
||||
self.robovac = robovac.Robovac(
|
||||
device_config['device_id'], device_config['local_key'],
|
||||
device_config['address'])
|
||||
self._name = device_config['name']
|
||||
|
||||
async def async_update(self):
|
||||
"""Synchronise state from the bulb."""
|
||||
await self.robovac.async_get()
|
||||
|
||||
@property
|
||||
def unique_id(self):
|
||||
"""Return the ID of this light."""
|
||||
return self._device_id
|
||||
|
||||
@property
|
||||
def name(self):
|
||||
"""Return the name of the device if any."""
|
||||
return self._name
|
||||
|
||||
@property
|
||||
def is_on(self):
|
||||
"""Return true if device is on."""
|
||||
return self.robovac.work_status == robovac.Robovac.WorkStatus.RUNNING
|
||||
|
||||
@property
|
||||
def supported_features(self):
|
||||
"""Flag vacuum cleaner robot features that are supported."""
|
||||
return self._config['support']
|
||||
|
||||
@property
|
||||
def fan_speed(self):
|
||||
"""Return the fan speed of the vacuum cleaner."""
|
||||
return self._config['fan_speeds'].get(
|
||||
self.robovac.clean_speed, FAN_SPEED_OFF)
|
||||
|
||||
@property
|
||||
def fan_speed_list(self):
|
||||
"""Get the list of available fan speed steps of the vacuum cleaner."""
|
||||
return list(self._config['fan_speeds'].values())
|
||||
|
||||
@property
|
||||
def battery_level(self):
|
||||
"""Return the battery level of the vacuum cleaner."""
|
||||
return self.robovac.battery_level
|
||||
|
||||
@property
|
||||
def status(self):
|
||||
"""Return the status of the vacuum cleaner."""
|
||||
if self.robovac.error_code != robovac.Robovac.ErrorCode.NO_ERROR:
|
||||
return STATE_ERROR
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.RECHARGE:
|
||||
return STATE_ERROR
|
||||
elif self.robovac.go_home:
|
||||
return STATE_RETURNING
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.RUNNING:
|
||||
return STATE_CLEANING
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.CHARGING:
|
||||
return STATE_DOCKED
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.RECHARGING:
|
||||
return STATE_DOCKED
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.SLEEPING:
|
||||
return STATE_DOCKED
|
||||
elif self.robovac.work_status == robovac.Robovac.WorkStatus.STAND_BY:
|
||||
return STATE_IDLE
|
||||
|
||||
@property
|
||||
def available(self) -> bool:
|
||||
"""Return True if entity is available."""
|
||||
return self._available
|
||||
|
||||
async def async_return_to_base(self, **kwargs):
|
||||
"""Set the vacuum cleaner to return to the dock."""
|
||||
await self.robovac.async_go_home()
|
||||
|
||||
async def async_clean_spot(self, **kwargs):
|
||||
"""Perform a spot clean-up."""
|
||||
await self.robovac.async_set_work_mode(robovac.Robovac.WorkMode.SPOT)
|
||||
|
||||
async def async_locate(self, **kwargs):
|
||||
"""Locate the vacuum cleaner."""
|
||||
await self.robovac.async_find_robot()
|
||||
|
||||
async def async_set_fan_speed(self, fan_speed, **kwargs):
|
||||
"""Set fan speed."""
|
||||
clean_speed = self._fan_speed_reverse_mapping[fan_speed]
|
||||
await self.robovac.async_set_clean_speed(clean_speed)
|
||||
|
||||
async def async_turn_on(self, **kwargs):
|
||||
"""Turn the vacuum on."""
|
||||
await self.robovac.async_set_work_mode(robovac.Robovac.WorkMode.AUTO)
|
||||
|
||||
async def async_turn_off(self, **kwargs):
|
||||
"""Turn the vacuum off and return to home."""
|
||||
await self.async_return_to_base()
|
||||
|
||||
async def async_resume(self, **kwargs):
|
||||
"""Resume the cleaning cycle."""
|
||||
await self.robovac.async_play()
|
||||
|
||||
async def async_pause(self, **kwargs):
|
||||
"""Pause the cleaning cycle."""
|
||||
await self.robovac.async_pause()
|
||||
|
||||
async def async_start_pause(self, **kwargs):
|
||||
"""Pause the cleaning task or resume it."""
|
||||
if self.robovac.play_pause:
|
||||
await self.async_pause()
|
||||
else:
|
||||
await self.async_play()
|
||||
Reference in New Issue
Block a user