2014-11-05 07:34:19 +00:00
|
|
|
"""
|
2019-04-14 14:23:01 +00:00
|
|
|
The methods for loading Home Assistant integrations.
|
2014-11-15 07:17:18 +00:00
|
|
|
|
|
|
|
This module has quite some complex parts. I have tried to add as much
|
|
|
|
documentation as possible to keep it understandable.
|
2014-11-05 07:34:19 +00:00
|
|
|
"""
|
2019-04-16 03:38:24 +00:00
|
|
|
import asyncio
|
2017-07-16 16:23:06 +00:00
|
|
|
import functools as ft
|
2014-11-05 07:34:19 +00:00
|
|
|
import importlib
|
2019-04-09 16:30:32 +00:00
|
|
|
import json
|
2014-11-05 07:34:19 +00:00
|
|
|
import logging
|
2019-04-09 16:30:32 +00:00
|
|
|
import pathlib
|
2016-02-19 05:27:50 +00:00
|
|
|
import sys
|
2016-07-28 03:33:49 +00:00
|
|
|
from types import ModuleType
|
2019-04-09 16:30:32 +00:00
|
|
|
from typing import (
|
|
|
|
Optional,
|
|
|
|
Set,
|
|
|
|
TYPE_CHECKING,
|
|
|
|
Callable,
|
|
|
|
Any,
|
|
|
|
TypeVar,
|
|
|
|
List,
|
2019-04-16 03:38:24 +00:00
|
|
|
Dict,
|
2019-04-16 20:40:21 +00:00
|
|
|
Union,
|
|
|
|
cast,
|
2019-04-09 16:30:32 +00:00
|
|
|
)
|
2016-07-28 03:33:49 +00:00
|
|
|
|
2018-07-13 10:24:51 +00:00
|
|
|
# Typing imports that create a circular dependency
|
|
|
|
# pylint: disable=using-constant-test,unused-import
|
|
|
|
if TYPE_CHECKING:
|
2019-04-09 16:30:32 +00:00
|
|
|
from homeassistant.core import HomeAssistant # noqa
|
2018-07-13 10:24:51 +00:00
|
|
|
|
2018-07-26 06:55:42 +00:00
|
|
|
CALLABLE_T = TypeVar('CALLABLE_T', bound=Callable) # noqa pylint: disable=invalid-name
|
2018-07-23 08:24:39 +00:00
|
|
|
|
2018-07-13 10:24:51 +00:00
|
|
|
DEPENDENCY_BLACKLIST = {'config'}
|
2017-02-18 19:31:37 +00:00
|
|
|
|
2014-11-05 07:34:19 +00:00
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
|
|
|
2019-04-15 02:07:05 +00:00
|
|
|
DATA_COMPONENTS = 'components'
|
2019-04-09 16:30:32 +00:00
|
|
|
DATA_INTEGRATIONS = 'integrations'
|
2019-02-21 08:41:36 +00:00
|
|
|
PACKAGE_CUSTOM_COMPONENTS = 'custom_components'
|
|
|
|
PACKAGE_BUILTIN = 'homeassistant.components'
|
|
|
|
LOOKUP_PATHS = [PACKAGE_CUSTOM_COMPONENTS, PACKAGE_BUILTIN]
|
2019-04-15 05:31:01 +00:00
|
|
|
CUSTOM_WARNING = (
|
|
|
|
'You are using a custom integration for %s which has not '
|
|
|
|
'been tested by Home Assistant. This component might '
|
|
|
|
'cause stability problems, be sure to disable it if you '
|
|
|
|
'do experience issues with Home Assistant.'
|
|
|
|
)
|
2019-04-09 16:30:32 +00:00
|
|
|
_UNDEF = object()
|
|
|
|
|
|
|
|
|
2019-04-18 02:17:13 +00:00
|
|
|
def manifest_from_legacy_module(domain: str, module: ModuleType) -> Dict:
|
2019-04-09 16:30:32 +00:00
|
|
|
"""Generate a manifest from a legacy module."""
|
|
|
|
return {
|
2019-04-18 02:17:13 +00:00
|
|
|
'domain': domain,
|
|
|
|
'name': domain,
|
2019-04-09 16:30:32 +00:00
|
|
|
'documentation': None,
|
|
|
|
'requirements': getattr(module, 'REQUIREMENTS', []),
|
|
|
|
'dependencies': getattr(module, 'DEPENDENCIES', []),
|
|
|
|
'codeowners': [],
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
class Integration:
|
|
|
|
"""An integration in Home Assistant."""
|
|
|
|
|
|
|
|
@classmethod
|
2019-04-11 08:26:36 +00:00
|
|
|
def resolve_from_root(cls, hass: 'HomeAssistant', root_module: ModuleType,
|
2019-04-09 16:30:32 +00:00
|
|
|
domain: str) -> 'Optional[Integration]':
|
|
|
|
"""Resolve an integration from a root module."""
|
2019-04-11 08:26:36 +00:00
|
|
|
for base in root_module.__path__: # type: ignore
|
2019-04-09 16:30:32 +00:00
|
|
|
manifest_path = (
|
|
|
|
pathlib.Path(base) / domain / 'manifest.json'
|
|
|
|
)
|
|
|
|
|
|
|
|
if not manifest_path.is_file():
|
|
|
|
continue
|
|
|
|
|
|
|
|
try:
|
|
|
|
manifest = json.loads(manifest_path.read_text())
|
|
|
|
except ValueError as err:
|
|
|
|
_LOGGER.error("Error parsing manifest.json file at %s: %s",
|
|
|
|
manifest_path, err)
|
|
|
|
continue
|
|
|
|
|
|
|
|
return cls(
|
2019-04-12 17:09:17 +00:00
|
|
|
hass, "{}.{}".format(root_module.__name__, domain),
|
|
|
|
manifest_path.parent, manifest
|
2019-04-09 16:30:32 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
return None
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
def resolve_legacy(cls, hass: 'HomeAssistant', domain: str) \
|
|
|
|
-> 'Optional[Integration]':
|
|
|
|
"""Resolve legacy component.
|
|
|
|
|
|
|
|
Will create a stub manifest.
|
|
|
|
"""
|
2019-04-14 14:23:01 +00:00
|
|
|
comp = _load_file(hass, domain, LOOKUP_PATHS)
|
2019-04-09 16:30:32 +00:00
|
|
|
|
|
|
|
if comp is None:
|
|
|
|
return None
|
|
|
|
|
|
|
|
return cls(
|
2019-04-12 17:09:17 +00:00
|
|
|
hass, comp.__name__, pathlib.Path(comp.__file__).parent,
|
2019-04-18 02:17:13 +00:00
|
|
|
manifest_from_legacy_module(domain, comp)
|
2019-04-09 16:30:32 +00:00
|
|
|
)
|
|
|
|
|
2019-04-12 17:09:17 +00:00
|
|
|
def __init__(self, hass: 'HomeAssistant', pkg_path: str,
|
|
|
|
file_path: pathlib.Path, manifest: Dict):
|
2019-04-09 16:30:32 +00:00
|
|
|
"""Initialize an integration."""
|
|
|
|
self.hass = hass
|
|
|
|
self.pkg_path = pkg_path
|
2019-04-12 17:09:17 +00:00
|
|
|
self.file_path = file_path
|
2019-04-09 16:30:32 +00:00
|
|
|
self.name = manifest['name'] # type: str
|
|
|
|
self.domain = manifest['domain'] # type: str
|
|
|
|
self.dependencies = manifest['dependencies'] # type: List[str]
|
2019-04-16 20:40:21 +00:00
|
|
|
self.after_dependencies = manifest.get(
|
|
|
|
'after_dependencies') # type: Optional[List[str]]
|
2019-04-09 16:30:32 +00:00
|
|
|
self.requirements = manifest['requirements'] # type: List[str]
|
2019-04-16 03:38:24 +00:00
|
|
|
_LOGGER.info("Loaded %s from %s", self.domain, pkg_path)
|
2019-04-09 16:30:32 +00:00
|
|
|
|
2019-06-20 20:22:12 +00:00
|
|
|
@property
|
|
|
|
def is_built_in(self) -> bool:
|
|
|
|
"""Test if package is a built-in integration."""
|
|
|
|
return self.pkg_path.startswith(PACKAGE_BUILTIN)
|
|
|
|
|
2019-04-11 08:26:36 +00:00
|
|
|
def get_component(self) -> ModuleType:
|
2019-04-09 16:30:32 +00:00
|
|
|
"""Return the component."""
|
2019-04-15 02:07:05 +00:00
|
|
|
cache = self.hass.data.setdefault(DATA_COMPONENTS, {})
|
2019-04-11 08:26:36 +00:00
|
|
|
if self.domain not in cache:
|
|
|
|
cache[self.domain] = importlib.import_module(self.pkg_path)
|
|
|
|
return cache[self.domain] # type: ignore
|
2019-04-09 16:30:32 +00:00
|
|
|
|
2019-04-11 08:26:36 +00:00
|
|
|
def get_platform(self, platform_name: str) -> ModuleType:
|
2019-04-09 16:30:32 +00:00
|
|
|
"""Return a platform for an integration."""
|
2019-04-15 02:07:05 +00:00
|
|
|
cache = self.hass.data.setdefault(DATA_COMPONENTS, {})
|
2019-04-11 08:26:36 +00:00
|
|
|
full_name = "{}.{}".format(self.domain, platform_name)
|
|
|
|
if full_name not in cache:
|
|
|
|
cache[full_name] = importlib.import_module(
|
|
|
|
"{}.{}".format(self.pkg_path, platform_name)
|
|
|
|
)
|
|
|
|
return cache[full_name] # type: ignore
|
2019-04-09 16:30:32 +00:00
|
|
|
|
2019-04-14 23:59:06 +00:00
|
|
|
def __repr__(self) -> str:
|
|
|
|
"""Text representation of class."""
|
|
|
|
return "<Integration {}: {}>".format(self.domain, self.pkg_path)
|
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
|
|
|
|
async def async_get_integration(hass: 'HomeAssistant', domain: str)\
|
|
|
|
-> Integration:
|
|
|
|
"""Get an integration."""
|
|
|
|
cache = hass.data.get(DATA_INTEGRATIONS)
|
|
|
|
if cache is None:
|
|
|
|
if not _async_mount_config_dir(hass):
|
|
|
|
raise IntegrationNotFound(domain)
|
|
|
|
cache = hass.data[DATA_INTEGRATIONS] = {}
|
|
|
|
|
2019-04-16 20:40:21 +00:00
|
|
|
int_or_evt = cache.get(
|
|
|
|
domain, _UNDEF) # type: Optional[Union[Integration, asyncio.Event]]
|
2019-04-09 16:30:32 +00:00
|
|
|
|
2019-04-16 03:38:24 +00:00
|
|
|
if isinstance(int_or_evt, asyncio.Event):
|
|
|
|
await int_or_evt.wait()
|
|
|
|
int_or_evt = cache.get(domain, _UNDEF)
|
|
|
|
|
2019-04-23 05:06:58 +00:00
|
|
|
# When we have waited and it's _UNDEF, it doesn't exist
|
|
|
|
# We don't cache that it doesn't exist, or else people can't fix it
|
|
|
|
# and then restart, because their config will never be valid.
|
|
|
|
if int_or_evt is _UNDEF:
|
|
|
|
raise IntegrationNotFound(domain)
|
|
|
|
|
|
|
|
if int_or_evt is not _UNDEF:
|
2019-04-16 20:40:21 +00:00
|
|
|
return cast(Integration, int_or_evt)
|
2019-04-16 03:38:24 +00:00
|
|
|
|
|
|
|
event = cache[domain] = asyncio.Event()
|
2019-04-09 16:30:32 +00:00
|
|
|
|
|
|
|
try:
|
|
|
|
import custom_components
|
|
|
|
integration = await hass.async_add_executor_job(
|
|
|
|
Integration.resolve_from_root, hass, custom_components, domain
|
|
|
|
)
|
|
|
|
if integration is not None:
|
2019-04-15 05:31:01 +00:00
|
|
|
_LOGGER.warning(CUSTOM_WARNING, domain)
|
2019-04-09 16:30:32 +00:00
|
|
|
cache[domain] = integration
|
2019-04-16 03:38:24 +00:00
|
|
|
event.set()
|
2019-04-09 16:30:32 +00:00
|
|
|
return integration
|
|
|
|
|
|
|
|
except ImportError:
|
2019-04-15 23:45:46 +00:00
|
|
|
# Import error if "custom_components" doesn't exist
|
2019-04-09 16:30:32 +00:00
|
|
|
pass
|
|
|
|
|
|
|
|
from homeassistant import components
|
|
|
|
|
|
|
|
integration = await hass.async_add_executor_job(
|
|
|
|
Integration.resolve_from_root, hass, components, domain
|
|
|
|
)
|
|
|
|
|
|
|
|
if integration is not None:
|
|
|
|
cache[domain] = integration
|
2019-04-16 03:38:24 +00:00
|
|
|
event.set()
|
2019-04-09 16:30:32 +00:00
|
|
|
return integration
|
|
|
|
|
2019-04-16 03:38:24 +00:00
|
|
|
integration = Integration.resolve_legacy(hass, domain)
|
2019-04-23 05:06:58 +00:00
|
|
|
if integration is not None:
|
|
|
|
cache[domain] = integration
|
|
|
|
else:
|
|
|
|
# Remove event from cache.
|
|
|
|
cache.pop(domain)
|
|
|
|
|
2019-04-16 03:38:24 +00:00
|
|
|
event.set()
|
2019-04-09 16:30:32 +00:00
|
|
|
|
|
|
|
if not integration:
|
|
|
|
raise IntegrationNotFound(domain)
|
|
|
|
|
|
|
|
return integration
|
2016-10-27 07:16:23 +00:00
|
|
|
|
2014-11-05 15:56:36 +00:00
|
|
|
|
2019-02-07 21:56:40 +00:00
|
|
|
class LoaderError(Exception):
|
|
|
|
"""Loader base error."""
|
|
|
|
|
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
class IntegrationNotFound(LoaderError):
|
2019-02-07 21:56:40 +00:00
|
|
|
"""Raised when a component is not found."""
|
|
|
|
|
|
|
|
def __init__(self, domain: str) -> None:
|
|
|
|
"""Initialize a component not found error."""
|
|
|
|
super().__init__("Component {} not found.".format(domain))
|
|
|
|
self.domain = domain
|
|
|
|
|
|
|
|
|
|
|
|
class CircularDependency(LoaderError):
|
|
|
|
"""Raised when a circular dependency is found when resolving components."""
|
|
|
|
|
|
|
|
def __init__(self, from_domain: str, to_domain: str) -> None:
|
|
|
|
"""Initialize circular dependency error."""
|
|
|
|
super().__init__("Circular dependency detected: {} -> {}.".format(
|
|
|
|
from_domain, to_domain))
|
|
|
|
self.from_domain = from_domain
|
|
|
|
self.to_domain = to_domain
|
|
|
|
|
|
|
|
|
2019-01-11 19:30:22 +00:00
|
|
|
def _load_file(hass, # type: HomeAssistant
|
2019-02-21 08:41:36 +00:00
|
|
|
comp_or_platform: str,
|
|
|
|
base_paths: List[str]) -> Optional[ModuleType]:
|
2019-01-11 19:30:22 +00:00
|
|
|
"""Try to load specified file.
|
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
Looks in config dir first, then built-in components.
|
|
|
|
Only returns it if also found to be valid.
|
|
|
|
Async friendly.
|
|
|
|
"""
|
2018-05-01 18:57:30 +00:00
|
|
|
try:
|
2019-04-15 02:07:05 +00:00
|
|
|
return hass.data[DATA_COMPONENTS][comp_or_platform] # type: ignore
|
2018-05-01 18:57:30 +00:00
|
|
|
except KeyError:
|
|
|
|
pass
|
2016-10-27 07:16:23 +00:00
|
|
|
|
2019-04-15 02:07:05 +00:00
|
|
|
cache = hass.data.get(DATA_COMPONENTS)
|
2018-05-01 18:57:30 +00:00
|
|
|
if cache is None:
|
2019-04-09 16:30:32 +00:00
|
|
|
if not _async_mount_config_dir(hass):
|
2018-07-23 08:24:39 +00:00
|
|
|
return None
|
2019-04-15 02:07:05 +00:00
|
|
|
cache = hass.data[DATA_COMPONENTS] = {}
|
2014-11-12 05:39:17 +00:00
|
|
|
|
2019-02-22 13:11:07 +00:00
|
|
|
for path in ('{}.{}'.format(base, comp_or_platform)
|
|
|
|
for base in base_paths):
|
2018-05-01 18:57:30 +00:00
|
|
|
try:
|
2018-05-07 09:25:48 +00:00
|
|
|
module = importlib.import_module(path)
|
2014-11-15 07:17:18 +00:00
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
# In Python 3 you can import files from directories that do not
|
|
|
|
# contain the file __init__.py. A directory is a valid module if
|
|
|
|
# it contains a file with the .py extension. In this case Python
|
|
|
|
# will succeed in importing the directory as a module and call it
|
|
|
|
# a namespace. We do not care about namespaces.
|
|
|
|
# This prevents that when only
|
|
|
|
# custom_components/switch/some_platform.py exists,
|
|
|
|
# the import custom_components.switch would succeed.
|
2018-07-07 14:48:02 +00:00
|
|
|
# __file__ was unset for namespaces before Python 3.7
|
|
|
|
if getattr(module, '__file__', None) is None:
|
2018-05-07 09:25:48 +00:00
|
|
|
continue
|
2014-11-05 07:34:19 +00:00
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
cache[comp_or_platform] = module
|
2018-05-01 18:57:30 +00:00
|
|
|
|
2019-02-21 22:57:38 +00:00
|
|
|
if module.__name__.startswith(PACKAGE_CUSTOM_COMPONENTS):
|
2019-04-15 05:31:01 +00:00
|
|
|
_LOGGER.warning(CUSTOM_WARNING, comp_or_platform)
|
2018-06-27 19:21:32 +00:00
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
return module
|
2018-05-01 18:57:30 +00:00
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
except ImportError as err:
|
|
|
|
# This error happens if for example custom_components/switch
|
|
|
|
# exists and we try to load switch.demo.
|
2018-05-07 17:12:12 +00:00
|
|
|
# Ignore errors for custom_components, custom_components.switch
|
|
|
|
# and custom_components.switch.demo.
|
|
|
|
white_listed_errors = []
|
|
|
|
parts = []
|
|
|
|
for part in path.split('.'):
|
|
|
|
parts.append(part)
|
|
|
|
white_listed_errors.append(
|
|
|
|
"No module named '{}'".format('.'.join(parts)))
|
|
|
|
|
|
|
|
if str(err) not in white_listed_errors:
|
2018-05-07 09:25:48 +00:00
|
|
|
_LOGGER.exception(
|
|
|
|
("Error loading %s. Make sure all "
|
|
|
|
"dependencies are installed"), path)
|
2018-05-01 18:57:30 +00:00
|
|
|
|
2018-05-07 09:25:48 +00:00
|
|
|
return None
|
2014-11-28 23:34:42 +00:00
|
|
|
|
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
class ModuleWrapper:
|
|
|
|
"""Class to wrap a Python module and auto fill in hass argument."""
|
|
|
|
|
|
|
|
def __init__(self,
|
|
|
|
hass, # type: HomeAssistant
|
|
|
|
module: ModuleType) -> None:
|
|
|
|
"""Initialize the module wrapper."""
|
|
|
|
self._hass = hass
|
|
|
|
self._module = module
|
|
|
|
|
|
|
|
def __getattr__(self, attr: str) -> Any:
|
|
|
|
"""Fetch an attribute."""
|
|
|
|
value = getattr(self._module, attr)
|
|
|
|
|
|
|
|
if hasattr(value, '__bind_hass'):
|
|
|
|
value = ft.partial(value, self._hass)
|
|
|
|
|
|
|
|
setattr(self, attr, value)
|
|
|
|
return value
|
|
|
|
|
|
|
|
|
2017-07-16 16:23:06 +00:00
|
|
|
class Components:
|
|
|
|
"""Helper to load components."""
|
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
hass # type: HomeAssistant
|
|
|
|
) -> None:
|
2017-07-16 16:23:06 +00:00
|
|
|
"""Initialize the Components class."""
|
|
|
|
self._hass = hass
|
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
def __getattr__(self, comp_name: str) -> ModuleWrapper:
|
2017-07-16 16:23:06 +00:00
|
|
|
"""Fetch a component."""
|
2019-04-15 02:07:05 +00:00
|
|
|
# Test integration cache
|
|
|
|
integration = self._hass.data.get(DATA_INTEGRATIONS, {}).get(comp_name)
|
|
|
|
|
2019-04-16 03:38:24 +00:00
|
|
|
if isinstance(integration, Integration):
|
|
|
|
component = integration.get_component(
|
|
|
|
) # type: Optional[ModuleType]
|
2019-04-15 02:07:05 +00:00
|
|
|
else:
|
|
|
|
# Fallback to importing old-school
|
|
|
|
component = _load_file(self._hass, comp_name, LOOKUP_PATHS)
|
|
|
|
|
2017-07-16 16:23:06 +00:00
|
|
|
if component is None:
|
|
|
|
raise ImportError('Unable to load {}'.format(comp_name))
|
2019-04-15 02:07:05 +00:00
|
|
|
|
2017-10-08 15:17:54 +00:00
|
|
|
wrapped = ModuleWrapper(self._hass, component)
|
2017-07-16 16:23:06 +00:00
|
|
|
setattr(self, comp_name, wrapped)
|
|
|
|
return wrapped
|
|
|
|
|
|
|
|
|
2017-10-08 15:17:54 +00:00
|
|
|
class Helpers:
|
|
|
|
"""Helper to load helpers."""
|
2017-07-16 16:23:06 +00:00
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
def __init__(
|
|
|
|
self,
|
|
|
|
hass # type: HomeAssistant
|
|
|
|
) -> None:
|
2017-10-08 15:17:54 +00:00
|
|
|
"""Initialize the Helpers class."""
|
|
|
|
self._hass = hass
|
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
def __getattr__(self, helper_name: str) -> ModuleWrapper:
|
2017-10-08 15:17:54 +00:00
|
|
|
"""Fetch a helper."""
|
|
|
|
helper = importlib.import_module(
|
|
|
|
'homeassistant.helpers.{}'.format(helper_name))
|
|
|
|
wrapped = ModuleWrapper(self._hass, helper)
|
|
|
|
setattr(self, helper_name, wrapped)
|
|
|
|
return wrapped
|
|
|
|
|
|
|
|
|
2018-07-23 08:24:39 +00:00
|
|
|
def bind_hass(func: CALLABLE_T) -> CALLABLE_T:
|
2018-01-21 06:35:38 +00:00
|
|
|
"""Decorate function to indicate that first argument is hass."""
|
2018-07-23 08:24:39 +00:00
|
|
|
setattr(func, '__bind_hass', True)
|
2017-07-16 16:23:06 +00:00
|
|
|
return func
|
|
|
|
|
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
async def async_component_dependencies(hass, # type: HomeAssistant
|
|
|
|
domain: str) -> Set[str]:
|
2019-02-07 21:56:40 +00:00
|
|
|
"""Return all dependencies and subdependencies of components.
|
2016-03-07 23:06:04 +00:00
|
|
|
|
2019-02-07 21:56:40 +00:00
|
|
|
Raises CircularDependency if a circular dependency is found.
|
2014-11-28 23:34:42 +00:00
|
|
|
"""
|
2019-04-09 16:30:32 +00:00
|
|
|
return await _async_component_dependencies(hass, domain, set(), set())
|
2014-11-28 23:34:42 +00:00
|
|
|
|
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
async def _async_component_dependencies(hass, # type: HomeAssistant
|
|
|
|
domain: str, loaded: Set[str],
|
|
|
|
loading: Set) -> Set[str]:
|
2019-02-07 21:56:40 +00:00
|
|
|
"""Recursive function to get component dependencies.
|
2016-10-27 07:16:23 +00:00
|
|
|
|
|
|
|
Async friendly.
|
|
|
|
"""
|
2019-04-09 16:30:32 +00:00
|
|
|
integration = await async_get_integration(hass, domain)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
loading.add(domain)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
for dependency_domain in integration.dependencies:
|
2014-11-28 23:34:42 +00:00
|
|
|
# Check not already loaded
|
2019-04-09 16:30:32 +00:00
|
|
|
if dependency_domain in loaded:
|
2015-08-03 15:05:33 +00:00
|
|
|
continue
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2016-03-07 23:06:04 +00:00
|
|
|
# If we are already loading it, we have a circular dependency.
|
2019-04-09 16:30:32 +00:00
|
|
|
if dependency_domain in loading:
|
|
|
|
raise CircularDependency(domain, dependency_domain)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
dep_loaded = await _async_component_dependencies(
|
|
|
|
hass, dependency_domain, loaded, loading)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-02-07 21:56:40 +00:00
|
|
|
loaded.update(dep_loaded)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-04-09 16:30:32 +00:00
|
|
|
loaded.add(domain)
|
|
|
|
loading.remove(domain)
|
2014-11-28 23:34:42 +00:00
|
|
|
|
2019-02-07 21:56:40 +00:00
|
|
|
return loaded
|
2019-04-09 16:30:32 +00:00
|
|
|
|
|
|
|
|
|
|
|
def _async_mount_config_dir(hass, # type: HomeAssistant
|
|
|
|
) -> bool:
|
|
|
|
"""Mount config dir in order to load custom_component.
|
|
|
|
|
|
|
|
Async friendly but not a coroutine.
|
|
|
|
"""
|
|
|
|
if hass.config.config_dir is None:
|
|
|
|
_LOGGER.error("Can't load components - config dir is not set")
|
|
|
|
return False
|
|
|
|
if hass.config.config_dir not in sys.path:
|
|
|
|
sys.path.insert(0, hass.config.config_dir)
|
|
|
|
return True
|