Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
8 changes: 8 additions & 0 deletions homeassistant/components/onewire/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,8 @@ async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool:

hass.config_entries.async_setup_platforms(entry, PLATFORMS)

entry.async_on_unload(entry.add_update_listener(options_update_listener))

return True


Expand All @@ -41,3 +43,9 @@ async def async_unload_entry(hass: HomeAssistant, config_entry: ConfigEntry) ->
if unload_ok:
hass.data[DOMAIN].pop(config_entry.entry_id)
return unload_ok


async def options_update_listener(hass: HomeAssistant, entry: ConfigEntry) -> None:
"""Handle options update."""
_LOGGER.info("Configuration options updated, reloading OneWire integration")
await hass.config_entries.async_reload(entry.entry_id)
177 changes: 175 additions & 2 deletions homeassistant/components/onewire/config_flow.py
Original file line number Diff line number Diff line change
@@ -1,14 +1,17 @@
"""Config flow for 1-Wire component."""
from __future__ import annotations

import logging
from typing import Any

import voluptuous as vol

from homeassistant.config_entries import ConfigFlow
from homeassistant.config_entries import ConfigEntry, ConfigFlow, OptionsFlow
from homeassistant.const import CONF_HOST, CONF_PORT, CONF_TYPE
from homeassistant.core import HomeAssistant
from homeassistant.core import HomeAssistant, callback
from homeassistant.data_entry_flow import FlowResult
from homeassistant.helpers import config_validation as cv, device_registry as dr
from homeassistant.helpers.device_registry import DeviceRegistry

from .const import (
CONF_MOUNT_DIR,
Expand All @@ -17,8 +20,15 @@
DEFAULT_OWSERVER_HOST,
DEFAULT_OWSERVER_PORT,
DEFAULT_SYSBUS_MOUNT_DIR,
DEVICE_SUPPORT_OPTIONS,
DOMAIN,
INPUT_ENTRY_CLEAR_OPTIONS,
INPUT_ENTRY_DEVICE_SELECTION,
OPTION_ENTRY_DEVICE_OPTIONS,
OPTION_ENTRY_SENSOR_PRECISION,
PRECISION_MAPPING_FAMILY_28,
)
from .model import OWServerDeviceDescription
from .onewirehub import CannotConnect, InvalidPath, OneWireHub

DATA_SCHEMA_USER = vol.Schema(
Expand All @@ -37,6 +47,9 @@
)


_LOGGER = logging.getLogger(__name__)


async def validate_input_owserver(
hass: HomeAssistant, data: dict[str, Any]
) -> dict[str, str]:
Expand Down Expand Up @@ -164,3 +177,163 @@ async def async_step_mount_dir(
data_schema=DATA_SCHEMA_MOUNTDIR,
errors=errors,
)

@staticmethod
@callback
def async_get_options_flow(config_entry: ConfigEntry) -> OptionsFlow:
"""Get the options flow for this handler."""
return OnewireOptionsFlowHandler(config_entry)


class OnewireOptionsFlowHandler(OptionsFlow):
"""Handle OneWire Config options."""

def __init__(self, config_entry: ConfigEntry) -> None:
"""Initialize OneWire Network options flow."""
self.entry_id = config_entry.entry_id
self.options = dict(config_entry.options)
self.configurable_devices: dict[str, OWServerDeviceDescription] = {}
self.devices_to_configure: dict[str, OWServerDeviceDescription] = {}
self.current_device: str = ""

async def async_step_init(
self, user_input: dict[str, Any] | None = None
) -> FlowResult:
"""Manage the options."""
controller: OneWireHub = self.hass.data[DOMAIN][self.entry_id]
if controller.type == CONF_TYPE_SYSBUS:
return self.async_abort(
reason="SysBus setup does not have any config options."
)

all_devices: list[OWServerDeviceDescription] = controller.devices # type: ignore[assignment]
if not all_devices:
return self.async_abort(reason="No configurable devices found.")

device_registry = dr.async_get(self.hass)
self.configurable_devices = {
self._get_device_long_name(device_registry, device.id): device
for device in all_devices
if device.family in DEVICE_SUPPORT_OPTIONS
}

return await self.async_step_device_selection(user_input=None)

async def async_step_device_selection(
self, user_input: dict[str, Any] | None = None
) -> FlowResult:
"""Select what devices to configure."""
errors = {}
if user_input is not None:
if user_input.get(INPUT_ENTRY_CLEAR_OPTIONS):
# Reset all options
self.options = {}
return await self._update_options()

selected_devices: list[str] = (
user_input.get(INPUT_ENTRY_DEVICE_SELECTION) or []
)
if selected_devices:
self.devices_to_configure = {
device_name: self.configurable_devices[device_name]
for device_name in selected_devices
}

return await self.async_step_configure_device(user_input=None)
errors["base"] = "device_not_selected"

return self.async_show_form(
step_id="device_selection",
data_schema=vol.Schema(
{
vol.Optional(
INPUT_ENTRY_CLEAR_OPTIONS,
default=False,
): bool,
vol.Optional(
INPUT_ENTRY_DEVICE_SELECTION,
default=self._get_current_configured_sensors(),
description="Multiselect with list of devices to choose from",
): cv.multi_select(
{device: False for device in self.configurable_devices.keys()}
),
}
),
errors=errors,
)

async def async_step_configure_device(
self, user_input: dict[str, Any] | None = None
) -> FlowResult:
"""Config precision option for device."""
if user_input is not None:
self._update_device_options(user_input)
if self.devices_to_configure:
return await self.async_step_configure_device(user_input=None)
return await self._update_options()

self.current_device, description = self.devices_to_configure.popitem()
data_schema: vol.Schema
if description.family == "28":
data_schema = vol.Schema(
{
vol.Required(
OPTION_ENTRY_SENSOR_PRECISION,
default=self._get_current_setting(
description.id, OPTION_ENTRY_SENSOR_PRECISION, "temperature"
),
): vol.In(PRECISION_MAPPING_FAMILY_28),
}
)

return self.async_show_form(
step_id="configure_device",
data_schema=data_schema,
description_placeholders={"sensor_id": self.current_device},
)

async def _update_options(self) -> FlowResult:
"""Update config entry options."""
return self.async_create_entry(title="", data=self.options)

@staticmethod
def _get_device_long_name(
device_registry: DeviceRegistry, current_device: str
) -> str:
device = device_registry.async_get_device({(DOMAIN, current_device)})
if device and device.name_by_user:
return f"{device.name_by_user} ({current_device})"
return current_device

def _get_current_configured_sensors(self) -> list[str]:
"""Get current list of sensors that are configured."""
configured_sensors = self.options.get(OPTION_ENTRY_DEVICE_OPTIONS)
if not configured_sensors:
return []
return [
device_name
for device_name, description in self.configurable_devices.items()
if description.id in configured_sensors
]

def _get_current_setting(self, device_id: str, setting: str, default: Any) -> Any:
"""Get current value for setting."""
if entry_device_options := self.options.get(OPTION_ENTRY_DEVICE_OPTIONS):
if device_options := entry_device_options.get(device_id):
return device_options.get(setting)
return default

def _update_device_options(self, user_input: dict[str, Any]) -> None:
"""Update the global config with the new options for the current device."""
options: dict[str, dict[str, Any]] = self.options.setdefault(
OPTION_ENTRY_DEVICE_OPTIONS, {}
)

description = self.configurable_devices[self.current_device]
device_options: dict[str, Any] = options.setdefault(description.id, {})
if description.family == "28":
device_options[OPTION_ENTRY_SENSOR_PRECISION] = user_input[
OPTION_ENTRY_SENSOR_PRECISION
]

self.options.update({OPTION_ENTRY_DEVICE_OPTIONS: options})
14 changes: 14 additions & 0 deletions homeassistant/components/onewire/const.py
Original file line number Diff line number Diff line change
Expand Up @@ -37,6 +37,20 @@
}
DEVICE_SUPPORT_SYSBUS = ["10", "22", "28", "3B", "42"]

DEVICE_SUPPORT_OPTIONS = ["28"]

PRECISION_MAPPING_FAMILY_28 = {
"temperature": "Default",
"temperature9": "9 Bits",
"temperature10": "10 Bits",
"temperature11": "11 Bits",
"temperature12": "12 Bits",
}

OPTION_ENTRY_DEVICE_OPTIONS = "device_options"
OPTION_ENTRY_SENSOR_PRECISION = "precision"
INPUT_ENTRY_CLEAR_OPTIONS = "clear_device_options"
INPUT_ENTRY_DEVICE_SELECTION = "device_selection"

MANUFACTURER_MAXIM = "Maxim Integrated"
MANUFACTURER_HOBBYBOARDS = "Hobby Boards"
Expand Down
48 changes: 42 additions & 6 deletions homeassistant/components/onewire/sensor.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@
from __future__ import annotations

import asyncio
from collections.abc import Callable, Mapping
import copy
from dataclasses import dataclass
import logging
Expand Down Expand Up @@ -38,6 +39,9 @@
DEVICE_KEYS_0_3,
DEVICE_KEYS_A_B,
DOMAIN,
OPTION_ENTRY_DEVICE_OPTIONS,
OPTION_ENTRY_SENSOR_PRECISION,
PRECISION_MAPPING_FAMILY_28,
READ_MODE_FLOAT,
READ_MODE_INT,
)
Expand All @@ -54,7 +58,24 @@
class OneWireSensorEntityDescription(OneWireEntityDescription, SensorEntityDescription):
"""Class describing OneWire sensor entities."""

override_key: str | None = None
override_key: Callable[[str, Mapping[str, Any]], str] | None = None


def _get_sensor_precision_family_28(device_id: str, options: Mapping[str, Any]) -> str:
"""Get precision form config flow options."""
precision: str = (
options.get(OPTION_ENTRY_DEVICE_OPTIONS, {})
.get(device_id, {})
.get(OPTION_ENTRY_SENSOR_PRECISION, "temperature")
)
if precision in PRECISION_MAPPING_FAMILY_28:
return precision
_LOGGER.warning(
"Invalid sensor precision `%s` for device `%s`: reverting to default",
precision,
device_id,
)
return "temperature"


SIMPLE_TEMPERATURE_SENSOR_DESCRIPTION = OneWireSensorEntityDescription(
Expand Down Expand Up @@ -185,7 +206,17 @@ class OneWireSensorEntityDescription(OneWireEntityDescription, SensorEntityDescr
state_class=SensorStateClass.MEASUREMENT,
),
),
"28": (SIMPLE_TEMPERATURE_SENSOR_DESCRIPTION,),
"28": (
OneWireSensorEntityDescription(
key="temperature",
device_class=SensorDeviceClass.TEMPERATURE,
name="Temperature",
native_unit_of_measurement=TEMP_CELSIUS,
override_key=_get_sensor_precision_family_28,
read_mode=READ_MODE_FLOAT,
state_class=SensorStateClass.MEASUREMENT,
),
),
"30": (
SIMPLE_TEMPERATURE_SENSOR_DESCRIPTION,
OneWireSensorEntityDescription(
Expand All @@ -195,7 +226,7 @@ class OneWireSensorEntityDescription(OneWireEntityDescription, SensorEntityDescr
name="Thermocouple temperature",
native_unit_of_measurement=TEMP_CELSIUS,
read_mode=READ_MODE_FLOAT,
override_key="typeK/temperature",
override_key=lambda d, o: "typeK/temperature",
state_class=SensorStateClass.MEASUREMENT,
),
OneWireSensorEntityDescription(
Expand Down Expand Up @@ -352,13 +383,15 @@ async def async_setup_entry(
"""Set up 1-Wire platform."""
onewirehub = hass.data[DOMAIN][config_entry.entry_id]
entities = await hass.async_add_executor_job(
get_entities, onewirehub, config_entry.data
get_entities, onewirehub, config_entry.data, config_entry.options
)
async_add_entities(entities, True)


def get_entities(
onewirehub: OneWireHub, config: MappingProxyType[str, Any]
onewirehub: OneWireHub,
config: MappingProxyType[str, Any],
options: MappingProxyType[str, Any],
) -> list[SensorEntity]:
"""Get a list of entities."""
if not onewirehub.devices:
Expand Down Expand Up @@ -400,9 +433,12 @@ def get_entities(
description.device_class = SensorDeviceClass.HUMIDITY
description.native_unit_of_measurement = PERCENTAGE
description.name = f"Wetness {s_id}"
override_key = None
if description.override_key:
override_key = description.override_key(device_id, options)
device_file = os.path.join(
os.path.split(device.path)[0],
description.override_key or description.key,
override_key or description.key,
)
name = f"{device_id} {description.name}"
entities.append(
Expand Down
27 changes: 27 additions & 0 deletions homeassistant/components/onewire/strings.json
Original file line number Diff line number Diff line change
Expand Up @@ -22,5 +22,32 @@
"title": "Set up 1-Wire"
}
}
},
"options": {
"error": {
"device_not_selected": "Select devices to configure"
},
"step": {
"ack_no_options": {
"data": { },
"description": "There are no options for the SysBus implementation",
"title": "OneWire SysBus Options"
},
"device_selection": {
"data": {
"clear_device_options": "Clear all device configurations",
"device_selection": "Select devices to configure"
},
"description": "Select what configuration steps to process",
"title": "OneWire Device Options"
},
"configure_device": {
"data": {
"precision": "Sensor Precision"
},
"description": "Select sensor precision for {sensor_id}",
"title": "OneWire Sensor Precision"
}
}
}
}
Loading