93 lines
3.2 KiB
Python
93 lines
3.2 KiB
Python
"""Config flow to configure the SmartTub integration."""
|
|
import logging
|
|
|
|
from smarttub import LoginFailed
|
|
import voluptuous as vol
|
|
|
|
from homeassistant import config_entries
|
|
from homeassistant.const import CONF_EMAIL, CONF_PASSWORD
|
|
|
|
from .const import DOMAIN
|
|
from .controller import SmartTubController
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
DATA_SCHEMA = vol.Schema(
|
|
{vol.Required(CONF_EMAIL): str, vol.Required(CONF_PASSWORD): str}
|
|
)
|
|
|
|
|
|
class SmartTubConfigFlow(config_entries.ConfigFlow, domain=DOMAIN):
|
|
"""SmartTub configuration flow."""
|
|
|
|
VERSION = 1
|
|
|
|
def __init__(self) -> None:
|
|
"""Instantiate config flow."""
|
|
super().__init__()
|
|
self._reauth_input = None
|
|
self._reauth_entry = None
|
|
|
|
async def async_step_user(self, user_input=None):
|
|
"""Handle a flow initiated by the user."""
|
|
errors = {}
|
|
|
|
if user_input is not None:
|
|
controller = SmartTubController(self.hass)
|
|
try:
|
|
account = await controller.login(
|
|
user_input[CONF_EMAIL], user_input[CONF_PASSWORD]
|
|
)
|
|
|
|
except LoginFailed:
|
|
errors["base"] = "invalid_auth"
|
|
else:
|
|
await self.async_set_unique_id(account.id)
|
|
|
|
if self._reauth_input is None:
|
|
self._abort_if_unique_id_configured()
|
|
return self.async_create_entry(
|
|
title=user_input[CONF_EMAIL], data=user_input
|
|
)
|
|
|
|
# this is a reauth attempt
|
|
if self._reauth_entry.unique_id != self.unique_id:
|
|
# there is a config entry matching this account, but it is not the one we were trying to reauth
|
|
return self.async_abort(reason="already_configured")
|
|
self.hass.config_entries.async_update_entry(
|
|
self._reauth_entry, data=user_input
|
|
)
|
|
await self.hass.config_entries.async_reload(self._reauth_entry.entry_id)
|
|
return self.async_abort(reason="reauth_successful")
|
|
|
|
return self.async_show_form(
|
|
step_id="user", data_schema=DATA_SCHEMA, errors=errors
|
|
)
|
|
|
|
async def async_step_reauth(self, user_input=None):
|
|
"""Get new credentials if the current ones don't work anymore."""
|
|
self._reauth_input = dict(user_input)
|
|
self._reauth_entry = self.hass.config_entries.async_get_entry(
|
|
self.context["entry_id"]
|
|
)
|
|
return await self.async_step_reauth_confirm()
|
|
|
|
async def async_step_reauth_confirm(self, user_input=None):
|
|
"""Dialog that informs the user that reauth is required."""
|
|
if user_input is None:
|
|
# same as DATA_SCHEMA but with default email
|
|
data_schema = vol.Schema(
|
|
{
|
|
vol.Required(
|
|
CONF_EMAIL, default=self._reauth_input.get(CONF_EMAIL)
|
|
): str,
|
|
vol.Required(CONF_PASSWORD): str,
|
|
}
|
|
)
|
|
return self.async_show_form(
|
|
step_id="reauth_confirm",
|
|
data_schema=data_schema,
|
|
)
|
|
return await self.async_step_user(user_input)
|