mirror of
https://github.com/home-assistant/core.git
synced 2025-11-16 14:30:22 +00:00
81 lines
2.4 KiB
Python
81 lines
2.4 KiB
Python
"""Config flow to configure Goodwe inverters using their local API."""
|
|
|
|
from __future__ import annotations
|
|
|
|
import logging
|
|
from typing import Any
|
|
|
|
from goodwe import Inverter, InverterError, connect
|
|
from goodwe.const import GOODWE_TCP_PORT, GOODWE_UDP_PORT
|
|
import voluptuous as vol
|
|
|
|
from homeassistant.config_entries import ConfigFlow, ConfigFlowResult
|
|
from homeassistant.const import CONF_HOST, CONF_PORT
|
|
|
|
from .const import CONF_MODEL_FAMILY, DEFAULT_NAME, DOMAIN
|
|
|
|
CONFIG_SCHEMA = vol.Schema(
|
|
{
|
|
vol.Required(CONF_HOST): str,
|
|
}
|
|
)
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
class GoodweFlowHandler(ConfigFlow, domain=DOMAIN):
|
|
"""Handle a Goodwe config flow."""
|
|
|
|
MINOR_VERSION = 2
|
|
|
|
async def async_handle_successful_connection(
|
|
self,
|
|
inverter: Inverter,
|
|
host: str,
|
|
port: int,
|
|
) -> ConfigFlowResult:
|
|
"""Handle a successful connection storing it's values on the entry data."""
|
|
await self.async_set_unique_id(inverter.serial_number)
|
|
self._abort_if_unique_id_configured()
|
|
|
|
return self.async_create_entry(
|
|
title=DEFAULT_NAME,
|
|
data={
|
|
CONF_HOST: host,
|
|
CONF_PORT: port,
|
|
CONF_MODEL_FAMILY: type(inverter).__name__,
|
|
},
|
|
)
|
|
|
|
async def async_step_user(
|
|
self, user_input: dict[str, Any] | None = None
|
|
) -> ConfigFlowResult:
|
|
"""Handle a flow initialized by the user."""
|
|
errors = {}
|
|
if user_input is not None:
|
|
host = user_input[CONF_HOST]
|
|
try:
|
|
inverter, port = await self.async_detect_inverter_port(host=host)
|
|
except InverterError:
|
|
errors[CONF_HOST] = "connection_error"
|
|
else:
|
|
return await self.async_handle_successful_connection(
|
|
inverter, host, port
|
|
)
|
|
return self.async_show_form(
|
|
step_id="user", data_schema=CONFIG_SCHEMA, errors=errors
|
|
)
|
|
|
|
@staticmethod
|
|
async def async_detect_inverter_port(
|
|
host: str,
|
|
) -> tuple[Inverter, int]:
|
|
"""Detects the port of the Inverter."""
|
|
port = GOODWE_UDP_PORT
|
|
try:
|
|
inverter = await connect(host=host, port=port, retries=10)
|
|
except InverterError:
|
|
port = GOODWE_TCP_PORT
|
|
inverter = await connect(host=host, port=port, retries=10)
|
|
return inverter, port
|