Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add reolink IP NVR/Camera integration #84081

Merged
merged 34 commits into from Dec 27, 2022
Merged
Show file tree
Hide file tree
Changes from 3 commits
Commits
Show all changes
34 commits
Select commit Hold shift + click to select a range
0358e9c
Add reolink
starkillerOG Dec 11, 2022
185eb6c
fix yamllint
starkillerOG Dec 15, 2022
f2f1347
fix prettier
starkillerOG Dec 15, 2022
ebd67cd
use RTSP as default protocol
starkillerOG Dec 20, 2022
bc68ab6
Update homeassistant/components/reolink/__init__.py
starkillerOG Dec 20, 2022
a3de06f
Update homeassistant/components/reolink/__init__.py
starkillerOG Dec 20, 2022
398a1a5
Update homeassistant/components/reolink/manifest.json
starkillerOG Dec 20, 2022
37e2d5e
Update manifest.json
starkillerOG Dec 20, 2022
f3478a4
Remove custom services
starkillerOG Dec 20, 2022
47d6877
use dataclass
starkillerOG Dec 20, 2022
d857016
Only raise ConfigEntryNotReady for expected errors
starkillerOG Dec 20, 2022
b821275
fix styling
starkillerOG Dec 20, 2022
937f0f3
Update homeassistant/components/reolink/camera.py
starkillerOG Dec 23, 2022
37ae5a7
Update homeassistant/components/reolink/host.py
starkillerOG Dec 23, 2022
9b371b0
use data_entry_flow.FlowResultType
starkillerOG Dec 23, 2022
150f8ba
reduce loglevel to debug
starkillerOG Dec 23, 2022
637b40f
remove request_refresh since async_update is already implemented
starkillerOG Dec 23, 2022
6a4ea6f
Use DeviceInfo class
starkillerOG Dec 23, 2022
a5d86c9
Update homeassistant/components/reolink/entity.py
starkillerOG Dec 23, 2022
058d736
Update homeassistant/components/reolink/entity.py
starkillerOG Dec 23, 2022
dc40864
simplify
starkillerOG Dec 23, 2022
aff4c37
remove unneeded exception
starkillerOG Dec 23, 2022
64428d3
pass around host instead of unpacking
starkillerOG Dec 23, 2022
38e89bf
use _attr_supported_features
starkillerOG Dec 23, 2022
198b143
Update camera.py
starkillerOG Dec 23, 2022
8e88ec6
do not catch broad exception during disconnect
starkillerOG Dec 23, 2022
3b44314
Update homeassistant/components/reolink/config_flow.py
starkillerOG Dec 26, 2022
1ac08ff
improve error message in config flow
starkillerOG Dec 26, 2022
1131d46
Merge branch 'reolink_2' of https://github.com/starkillerOG/home-assi…
starkillerOG Dec 26, 2022
9f50428
use aiohttp_session from upstream lib instead of HASS
starkillerOG Dec 26, 2022
53d4d6d
fix styling
starkillerOG Dec 26, 2022
8e2646f
adjust tests
starkillerOG Dec 26, 2022
ac39bf7
Update homeassistant/components/reolink/__init__.py
starkillerOG Dec 27, 2022
1df83cd
Update homeassistant/components/reolink/__init__.py
starkillerOG Dec 27, 2022
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
5 changes: 5 additions & 0 deletions .coveragerc
Expand Up @@ -1047,6 +1047,11 @@ omit =
homeassistant/components/rejseplanen/sensor.py
homeassistant/components/remember_the_milk/__init__.py
homeassistant/components/remote_rpi_gpio/*
homeassistant/components/reolink/__init__.py
homeassistant/components/reolink/camera.py
homeassistant/components/reolink/const.py
homeassistant/components/reolink/entity.py
homeassistant/components/reolink/host.py
homeassistant/components/repetier/__init__.py
homeassistant/components/repetier/sensor.py
homeassistant/components/rest/notify.py
Expand Down
2 changes: 2 additions & 0 deletions CODEOWNERS
Validating CODEOWNERS rules …
Expand Up @@ -942,6 +942,8 @@ build.json @home-assistant/supervisor
/tests/components/remote/ @home-assistant/core
/homeassistant/components/renault/ @epenet
/tests/components/renault/ @epenet
/homeassistant/components/reolink/ @starkillerOG @JimStar
/tests/components/reolink/ @starkillerOG @JimStar
/homeassistant/components/repairs/ @home-assistant/core
/tests/components/repairs/ @home-assistant/core
/homeassistant/components/repetier/ @MTrab @ShadowBr0ther
Expand Down
108 changes: 108 additions & 0 deletions homeassistant/components/reolink/__init__.py
@@ -0,0 +1,108 @@
"""Reolink integration for HomeAssistant."""

from __future__ import annotations

from datetime import timedelta
import logging
from typing import cast

import async_timeout

from homeassistant.config_entries import ConfigEntry
from homeassistant.const import EVENT_HOMEASSISTANT_STOP
from homeassistant.core import HomeAssistant
from homeassistant.exceptions import ConfigEntryNotReady
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator

from .const import (
DEVICE_CONFIG_UPDATE_COORDINATOR,
DEVICE_UPDATE_INTERVAL,
DOMAIN,
HOST,
PLATFORMS,
SERVICE_PTZ_CONTROL,
SERVICE_SET_BACKLIGHT,
SERVICE_SET_DAYNIGHT,
SERVICE_SET_SENSITIVITY,
)
from .host import ReolinkHost

_LOGGER = logging.getLogger(__name__)


async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool:
"""Set up Reolink from a config entry."""
hass.data.setdefault(DOMAIN, {})

starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
host = ReolinkHost(hass, cast(dict, entry.data), cast(dict, entry.options))
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved

try:
if not await host.init():
raise ConfigEntryNotReady(
f"Error while trying to setup {host.api.host}:{host.api.port}: failed to obtain data from device."
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
)
except Exception as error: # pylint: disable=broad-except
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
err = str(error)
if err:
raise ConfigEntryNotReady(
f'Error while trying to setup {host.api.host}:{host.api.port}: "{err}".'
) from error
raise ConfigEntryNotReady(
f"Error while trying to setup {host.api.host}:{host.api.port}: failed to connect to device."
) from error

entry.async_on_unload(
hass.bus.async_listen_once(EVENT_HOMEASSISTANT_STOP, host.stop)
)

hass.data[DOMAIN][entry.entry_id] = {HOST: host}
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved

async def async_device_config_update():
"""Perform the update of the host config-state cache, and renew the ONVIF-subscription."""
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
async with async_timeout.timeout(host.api.timeout):
await host.update_states() # Login session is implicitly updated here, so no need to explicitly do it in a timer
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved

coordinator_device_config_update = DataUpdateCoordinator(
hass,
_LOGGER,
name=f"reolink.{host.api.nvr_name}",
update_method=async_device_config_update,
update_interval=timedelta(seconds=DEVICE_UPDATE_INTERVAL),
)
# Fetch initial data so we have data when entities subscribe
await coordinator_device_config_update.async_config_entry_first_refresh()

hass.data[DOMAIN][entry.entry_id][
DEVICE_CONFIG_UPDATE_COORDINATOR
] = coordinator_device_config_update

await hass.config_entries.async_forward_entry_setups(entry, PLATFORMS)

entry.async_on_unload(entry.add_update_listener(entry_update_listener))

return True


async def entry_update_listener(hass: HomeAssistant, entry: ConfigEntry):
"""Update the configuration of the host entity."""
await hass.config_entries.async_reload(entry.entry_id)


async def async_unload_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool:
"""Unload a config entry."""
host: ReolinkHost = hass.data[DOMAIN][entry.entry_id][HOST]

await host.stop()

unload_ok = await hass.config_entries.async_unload_platforms(entry, PLATFORMS)

if unload_ok:
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
hass.data[DOMAIN].pop(entry.entry_id)

if len(hass.data[DOMAIN]) == 0:
hass.services.async_remove(DOMAIN, SERVICE_SET_SENSITIVITY)
hass.services.async_remove(DOMAIN, SERVICE_SET_DAYNIGHT)
hass.services.async_remove(DOMAIN, SERVICE_SET_BACKLIGHT)
hass.services.async_remove(DOMAIN, SERVICE_PTZ_CONTROL)
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved

return unload_ok
221 changes: 221 additions & 0 deletions homeassistant/components/reolink/camera.py
@@ -0,0 +1,221 @@
"""This component provides support for Reolink IP cameras."""
from __future__ import annotations

from datetime import datetime
import logging
from typing import Any, cast

import voluptuous as vol

from homeassistant.components.camera import Camera, CameraEntityFeature
from homeassistant.config_entries import ConfigEntry
from homeassistant.core import HomeAssistant
from homeassistant.helpers import config_validation as cv, entity_platform
from homeassistant.helpers.entity_platform import AddEntitiesCallback

from .const import (
DOMAIN,
HOST,
SERVICE_PTZ_CONTROL,
SERVICE_SET_BACKLIGHT,
SERVICE_SET_DAYNIGHT,
SERVICE_SET_SENSITIVITY,
SUPPORT_PTZ,
)
from .entity import ReolinkCoordinatorEntity
from .host import ReolinkHost

_LOGGER = logging.getLogger(__name__)


async def async_setup_entry(
hass: HomeAssistant,
config_entry: ConfigEntry,
async_add_devices: AddEntitiesCallback,
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
) -> None:
"""Set up a Reolink IP Camera."""
platform = entity_platform.async_get_current_platform()
platform.async_register_entity_service(
SERVICE_SET_SENSITIVITY,
{
vol.Required("sensitivity"): cv.positive_int,
vol.Optional("preset"): cv.positive_int,
},
SERVICE_SET_SENSITIVITY,
)

platform.async_register_entity_service(
SERVICE_SET_DAYNIGHT,
{vol.Required("mode"): cv.string},
SERVICE_SET_DAYNIGHT,
)

platform.async_register_entity_service(
SERVICE_SET_BACKLIGHT,
{vol.Required("mode"): cv.string},
SERVICE_SET_BACKLIGHT,
)

platform.async_register_entity_service(
SERVICE_PTZ_CONTROL,
{
vol.Required("command"): cv.string,
vol.Optional("preset"): cv.positive_int,
vol.Optional("speed"): cv.positive_int,
},
SERVICE_PTZ_CONTROL,
[SUPPORT_PTZ],
)

starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
host: ReolinkHost = hass.data[DOMAIN][config_entry.entry_id][HOST]

cameras = []
for channel in host.api.channels:
streams = ["sub", "main", "snapshots"]
if host.api.protocol == "rtmp":
streams.append("ext")

for stream in streams:
cameras.append(ReolinkCamera(hass, config_entry, channel, stream))

async_add_devices(cameras, update_before_add=True)


class ReolinkCamera(ReolinkCoordinatorEntity, Camera):
"""An implementation of a Reolink IP camera."""

def __init__(self, hass, config, channel, stream):
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
"""Initialize Reolink camera stream."""
ReolinkCoordinatorEntity.__init__(self, hass, config)
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
Camera.__init__(self)

self._channel = channel
self._stream = stream

self._attr_name = f"{self._host.api.camera_name(self._channel)} {self._stream}"
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
self._attr_unique_id = (
f"reolink_camera_{self._host.unique_id}_{self._channel}_{self._stream}"
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
)
self._attr_entity_registry_enabled_default = stream == "sub"

self._ptz_commands = {
"AUTO": "Auto",
"DOWN": "Down",
"FOCUSDEC": "FocusDec",
"FOCUSINC": "FocusInc",
"LEFT": "Left",
"LEFTDOWN": "LeftDown",
"LEFTUP": "LeftUp",
"RIGHT": "Right",
"RIGHTDOWN": "RightDown",
"RIGHTUP": "RightUp",
"STOP": "Stop",
"TOPOS": "ToPos",
"UP": "Up",
"ZOOMDEC": "ZoomDec",
"ZOOMINC": "ZoomInc",
}
self._daynight_modes = {
"AUTO": "Auto",
"COLOR": "Color",
"BLACKANDWHITE": "Black&White",
}

self._backlight_modes = {
"BACKLIGHTCONTROL": "BackLightControl",
"DYNAMICRANGECONTROL": "DynamicRangeControl",
"OFF": "Off",
}

@property
def ptz_supported(self):
"""Supports ptz control."""
return self._host.api.ptz_supported(self._channel)

@property
def supported_features(self) -> CameraEntityFeature:
starkillerOG marked this conversation as resolved.
Show resolved Hide resolved
"""Flag supported features."""
features = int(CameraEntityFeature.STREAM)
if self.ptz_supported:
features += SUPPORT_PTZ
return cast(CameraEntityFeature, features)

@property
def extra_state_attributes(self) -> dict[str, Any] | None:
"""Return the extra state attributes."""
attrs = {}

if self._host.api.ptz_supported(self._channel):
attrs["ptz_presets"] = self._host.api.ptz_presets(self._channel)

for key, value in self._backlight_modes.items():
if value == self._host.api.backlight_state(self._channel):
attrs["backlight_state"] = key

for key, value in self._daynight_modes.items():
if value == self._host.api.daynight_state(self._channel):
attrs["daynight_state"] = key

if self._host.api.sensitivity_presets:
attrs["sensitivity"] = self.get_sensitivity_presets()

return attrs

async def stream_source(self) -> str | None:
"""Return the source of the stream."""
return await self._host.api.get_stream_source(self._channel, self._stream)

async def async_camera_image(
self, width: int | None = None, height: int | None = None
) -> bytes | None:
"""Return a still image response from the camera."""
return await self._host.api.get_snapshot(self._channel)

async def ptz_control(self, command, **kwargs):
"""Pass PTZ command to the camera."""
if not self.ptz_supported:
_LOGGER.error("PTZ is not supported on %s camera", self.name)
return

await self._host.api.set_ptz_command(
self._channel, command=self._ptz_commands[command], **kwargs
)

def get_sensitivity_presets(self):
"""Get formatted sensitivity presets."""
presets = []
preset = {}

for api_preset in self._host.api.sensitivity_presets(self._channel):
preset["id"] = api_preset["id"]
preset["sensitivity"] = api_preset["sensitivity"]

time_string = f'{api_preset["beginHour"]}:{api_preset["beginMin"]}'
begin = datetime.strptime(time_string, "%H:%M")
preset["begin"] = begin.strftime("%H:%M")

time_string = f'{api_preset["endHour"]}:{api_preset["endMin"]}'
end = datetime.strptime(time_string, "%H:%M")
preset["end"] = end.strftime("%H:%M")

presets.append(preset.copy())

return presets

async def set_sensitivity(self, sensitivity, **kwargs):
"""Set the sensitivity to the camera."""
if "preset" in kwargs:
kwargs["preset"] += 1
await self._host.api.set_sensitivity(self._channel, value=sensitivity, **kwargs)

async def set_daynight(self, mode):
"""Set the day and night mode to the camera."""
await self._host.api.set_daynight(
self._channel, value=self._daynight_modes[mode]
)

async def set_backlight(self, mode):
"""Set the backlight mode to the camera."""
await self._host.api.set_backlight(
self._channel, value=self._backlight_modes[mode]
)