Skip to content

Commit 3d49000

Browse files
rokamabmantis
andauthored
Remove sunweg integration (#124230)
* chore(sunweg): remove sunweg integration * Update homeassistant/components/sunweg/strings.json Co-authored-by: Abílio Costa <abmantis@users.noreply.github.com> * Update homeassistant/components/sunweg/manifest.json Co-authored-by: Abílio Costa <abmantis@users.noreply.github.com> * feat: added async remove entry * Clean setup_entry; add tests --------- Co-authored-by: Abílio Costa <abmantis@users.noreply.github.com> Co-authored-by: abmantis <amfcalt@gmail.com>
1 parent 68d1a3c commit 3d49000

21 files changed

+100
-1280
lines changed

CODEOWNERS

-2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
+23-181
Original file line numberDiff line numberDiff line change
@@ -1,197 +1,39 @@
11
"""The Sun WEG inverter sensor integration."""
22

3-
import datetime
4-
import json
5-
import logging
6-
7-
from sunweg.api import APIHelper
8-
from sunweg.plant import Plant
9-
10-
from homeassistant import config_entries
113
from homeassistant.config_entries import ConfigEntry
12-
from homeassistant.const import CONF_PASSWORD, CONF_USERNAME
134
from homeassistant.core import HomeAssistant
14-
from homeassistant.exceptions import ConfigEntryAuthFailed
15-
from homeassistant.helpers.typing import StateType, UndefinedType
16-
from homeassistant.util import Throttle
17-
18-
from .const import CONF_PLANT_ID, DOMAIN, PLATFORMS, DeviceType
5+
from homeassistant.helpers import issue_registry as ir
196

20-
SCAN_INTERVAL = datetime.timedelta(minutes=5)
7+
DOMAIN = "sunweg"
218

22-
_LOGGER = logging.getLogger(__name__)
239

24-
25-
async def async_setup_entry(
26-
hass: HomeAssistant, entry: config_entries.ConfigEntry
27-
) -> bool:
10+
async def async_setup_entry(hass: HomeAssistant, _: ConfigEntry) -> bool:
2811
"""Load the saved entities."""
29-
api = APIHelper(entry.data[CONF_USERNAME], entry.data[CONF_PASSWORD])
30-
if not await hass.async_add_executor_job(api.authenticate):
31-
raise ConfigEntryAuthFailed("Username or Password may be incorrect!")
32-
hass.data.setdefault(DOMAIN, {})[entry.entry_id] = SunWEGData(
33-
api, entry.data[CONF_PLANT_ID]
12+
ir.async_create_issue(
13+
hass,
14+
DOMAIN,
15+
DOMAIN,
16+
is_fixable=False,
17+
severity=ir.IssueSeverity.ERROR,
18+
translation_key="integration_removed",
19+
translation_placeholders={
20+
"issue": "https://github.com/rokam/sunweg/issues/13",
21+
"entries": "/config/integrations/integration/sunweg",
22+
},
3423
)
35-
await hass.config_entries.async_forward_entry_setups(entry, PLATFORMS)
24+
3625
return True
3726

3827

3928
async def async_unload_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool:
4029
"""Unload a config entry."""
41-
hass.data[DOMAIN].pop(entry.entry_id)
42-
if len(hass.data[DOMAIN]) == 0:
43-
hass.data.pop(DOMAIN)
44-
return await hass.config_entries.async_unload_platforms(entry, PLATFORMS)
45-
46-
47-
class SunWEGData:
48-
"""The class for handling data retrieval."""
49-
50-
def __init__(
51-
self,
52-
api: APIHelper,
53-
plant_id: int,
54-
) -> None:
55-
"""Initialize the probe."""
56-
57-
self.api = api
58-
self.plant_id = plant_id
59-
self.data: Plant = None
60-
self.previous_values: dict = {}
61-
62-
@Throttle(SCAN_INTERVAL)
63-
def update(self) -> None:
64-
"""Update probe data."""
65-
_LOGGER.debug("Updating data for plant %s", self.plant_id)
66-
try:
67-
self.data = self.api.plant(self.plant_id)
68-
for inverter in self.data.inverters:
69-
self.api.complete_inverter(inverter)
70-
except json.decoder.JSONDecodeError:
71-
_LOGGER.error("Unable to fetch data from SunWEG server")
72-
_LOGGER.debug("Finished updating data for plant %s", self.plant_id)
73-
74-
def get_api_value(
75-
self,
76-
variable: str,
77-
device_type: DeviceType,
78-
inverter_id: int = 0,
79-
deep_name: str | None = None,
80-
):
81-
"""Retrieve from a Plant the desired variable value."""
82-
if device_type == DeviceType.TOTAL:
83-
return self.data.__dict__.get(variable)
84-
85-
inverter_list = [i for i in self.data.inverters if i.id == inverter_id]
86-
if len(inverter_list) == 0:
87-
return None
88-
inverter = inverter_list[0]
89-
90-
if device_type == DeviceType.INVERTER:
91-
return inverter.__dict__.get(variable)
92-
if device_type == DeviceType.PHASE:
93-
for phase in inverter.phases:
94-
if phase.name == deep_name:
95-
return phase.__dict__.get(variable)
96-
elif device_type == DeviceType.STRING:
97-
for mppt in inverter.mppts:
98-
for string in mppt.strings:
99-
if string.name == deep_name:
100-
return string.__dict__.get(variable)
101-
return None
102-
103-
def get_data(
104-
self,
105-
*,
106-
api_variable_key: str,
107-
api_variable_unit: str | None,
108-
deep_name: str | None,
109-
device_type: DeviceType,
110-
inverter_id: int,
111-
name: str | UndefinedType | None,
112-
native_unit_of_measurement: str | None,
113-
never_resets: bool,
114-
previous_value_drop_threshold: float | None,
115-
) -> tuple[StateType | datetime.datetime, str | None]:
116-
"""Get the data."""
117-
_LOGGER.debug(
118-
"Data request for: %s",
119-
name,
120-
)
121-
variable = api_variable_key
122-
previous_unit = native_unit_of_measurement
123-
api_value = self.get_api_value(variable, device_type, inverter_id, deep_name)
124-
previous_value = self.previous_values.get(variable)
125-
return_value = api_value
126-
if api_variable_unit is not None:
127-
native_unit_of_measurement = self.get_api_value(
128-
api_variable_unit,
129-
device_type,
130-
inverter_id,
131-
deep_name,
132-
)
133-
134-
# If we have a 'drop threshold' specified, then check it and correct if needed
135-
if (
136-
previous_value_drop_threshold is not None
137-
and previous_value is not None
138-
and api_value is not None
139-
and previous_unit == native_unit_of_measurement
140-
):
141-
_LOGGER.debug(
142-
(
143-
"%s - Drop threshold specified (%s), checking for drop... API"
144-
" Value: %s, Previous Value: %s"
145-
),
146-
name,
147-
previous_value_drop_threshold,
148-
api_value,
149-
previous_value,
150-
)
151-
diff = float(api_value) - float(previous_value)
152-
153-
# Check if the value has dropped (negative value i.e. < 0) and it has only
154-
# dropped by a small amount, if so, use the previous value.
155-
# Note - The energy dashboard takes care of drops within 10%
156-
# of the current value, however if the value is low e.g. 0.2
157-
# and drops by 0.1 it classes as a reset.
158-
if -(previous_value_drop_threshold) <= diff < 0:
159-
_LOGGER.debug(
160-
(
161-
"Diff is negative, but only by a small amount therefore not a"
162-
" nightly reset, using previous value (%s) instead of api value"
163-
" (%s)"
164-
),
165-
previous_value,
166-
api_value,
167-
)
168-
return_value = previous_value
169-
else:
170-
_LOGGER.debug("%s - No drop detected, using API value", name)
171-
172-
# Lifetime total values should always be increasing, they will never reset,
173-
# however the API sometimes returns 0 values when the clock turns to 00:00
174-
# local time in that scenario we should just return the previous value
175-
# Scenarios:
176-
# 1 - System has a genuine 0 value when it it first commissioned:
177-
# - will return 0 until a non-zero value is registered
178-
# 2 - System has been running fine but temporarily resets to 0 briefly
179-
# at midnight:
180-
# - will return the previous value
181-
# 3 - HA is restarted during the midnight 'outage' - Not handled:
182-
# - Previous value will not exist meaning 0 will be returned
183-
# - This is an edge case that would be better handled by looking
184-
# up the previous value of the entity from the recorder
185-
if never_resets and api_value == 0 and previous_value:
186-
_LOGGER.debug(
187-
(
188-
"API value is 0, but this value should never reset, returning"
189-
" previous value (%s) instead"
190-
),
191-
previous_value,
192-
)
193-
return_value = previous_value
30+
return True
19431

195-
self.previous_values[variable] = return_value
19632

197-
return (return_value, native_unit_of_measurement)
33+
async def async_remove_entry(hass: HomeAssistant, entry: ConfigEntry) -> None:
34+
"""Remove a config entry."""
35+
if not hass.config_entries.async_loaded_entries(DOMAIN):
36+
ir.async_delete_issue(hass, DOMAIN, DOMAIN)
37+
# Remove any remaining disabled or ignored entries
38+
for _entry in hass.config_entries.async_entries(DOMAIN):
39+
hass.async_create_task(hass.config_entries.async_remove(_entry.entry_id))
+2-120
Original file line numberDiff line numberDiff line change
@@ -1,129 +1,11 @@
11
"""Config flow for Sun WEG integration."""
22

3-
from collections.abc import Mapping
4-
from typing import Any
3+
from homeassistant.config_entries import ConfigFlow
54

6-
from sunweg.api import APIHelper, SunWegApiError
7-
import voluptuous as vol
8-
9-
from homeassistant.config_entries import ConfigFlow, ConfigFlowResult
10-
from homeassistant.const import CONF_NAME, CONF_PASSWORD, CONF_USERNAME
11-
from homeassistant.core import callback
12-
13-
from .const import CONF_PLANT_ID, DOMAIN
5+
from . import DOMAIN
146

157

168
class SunWEGConfigFlow(ConfigFlow, domain=DOMAIN):
179
"""Config flow class."""
1810

1911
VERSION = 1
20-
21-
def __init__(self) -> None:
22-
"""Initialise sun weg server flow."""
23-
self.api: APIHelper = None
24-
self.data: dict[str, Any] = {}
25-
26-
@callback
27-
def _async_show_user_form(self, step_id: str, errors=None) -> ConfigFlowResult:
28-
"""Show the form to the user."""
29-
default_username = ""
30-
if CONF_USERNAME in self.data:
31-
default_username = self.data[CONF_USERNAME]
32-
data_schema = vol.Schema(
33-
{
34-
vol.Required(CONF_USERNAME, default=default_username): str,
35-
vol.Required(CONF_PASSWORD): str,
36-
}
37-
)
38-
39-
return self.async_show_form(
40-
step_id=step_id, data_schema=data_schema, errors=errors
41-
)
42-
43-
def _set_auth_data(
44-
self, step: str, username: str, password: str
45-
) -> ConfigFlowResult | None:
46-
"""Set username and password."""
47-
if self.api:
48-
# Set username and password
49-
self.api.username = username
50-
self.api.password = password
51-
else:
52-
# Initialise the library with the username & password
53-
self.api = APIHelper(username, password)
54-
55-
try:
56-
if not self.api.authenticate():
57-
return self._async_show_user_form(step, {"base": "invalid_auth"})
58-
except SunWegApiError:
59-
return self._async_show_user_form(step, {"base": "timeout_connect"})
60-
61-
return None
62-
63-
async def async_step_user(self, user_input=None) -> ConfigFlowResult:
64-
"""Handle the start of the config flow."""
65-
if not user_input:
66-
return self._async_show_user_form("user")
67-
68-
# Store authentication info
69-
self.data = user_input
70-
71-
conf_result = await self.hass.async_add_executor_job(
72-
self._set_auth_data,
73-
"user",
74-
user_input[CONF_USERNAME],
75-
user_input[CONF_PASSWORD],
76-
)
77-
78-
return await self.async_step_plant() if conf_result is None else conf_result
79-
80-
async def async_step_plant(self, user_input=None) -> ConfigFlowResult:
81-
"""Handle adding a "plant" to Home Assistant."""
82-
plant_list = await self.hass.async_add_executor_job(self.api.listPlants)
83-
84-
if len(plant_list) == 0:
85-
return self.async_abort(reason="no_plants")
86-
87-
plants = {plant.id: plant.name for plant in plant_list}
88-
89-
if user_input is None and len(plant_list) > 1:
90-
data_schema = vol.Schema({vol.Required(CONF_PLANT_ID): vol.In(plants)})
91-
92-
return self.async_show_form(step_id="plant", data_schema=data_schema)
93-
94-
if user_input is None and len(plant_list) == 1:
95-
user_input = {CONF_PLANT_ID: plant_list[0].id}
96-
97-
user_input[CONF_NAME] = plants[user_input[CONF_PLANT_ID]]
98-
await self.async_set_unique_id(user_input[CONF_PLANT_ID])
99-
self._abort_if_unique_id_configured()
100-
self.data.update(user_input)
101-
return self.async_create_entry(title=self.data[CONF_NAME], data=self.data)
102-
103-
async def async_step_reauth(
104-
self, entry_data: Mapping[str, Any]
105-
) -> ConfigFlowResult:
106-
"""Handle reauthorization request from SunWEG."""
107-
self.data.update(entry_data)
108-
return await self.async_step_reauth_confirm()
109-
110-
async def async_step_reauth_confirm(
111-
self, user_input: dict[str, Any] | None = None
112-
) -> ConfigFlowResult:
113-
"""Handle reauthorization flow."""
114-
if user_input is None:
115-
return self._async_show_user_form("reauth_confirm")
116-
117-
self.data.update(user_input)
118-
conf_result = await self.hass.async_add_executor_job(
119-
self._set_auth_data,
120-
"reauth_confirm",
121-
user_input[CONF_USERNAME],
122-
user_input[CONF_PASSWORD],
123-
)
124-
if conf_result is not None:
125-
return conf_result
126-
127-
return self.async_update_reload_and_abort(
128-
self._get_reauth_entry(), data=self.data
129-
)

homeassistant/components/sunweg/const.py

-25
This file was deleted.

0 commit comments

Comments
 (0)