core/homeassistant/util/yaml.py

70 lines
2.2 KiB
Python
Raw Normal View History

2016-03-07 22:20:48 +00:00
"""YAML utility functions."""
2016-01-24 06:37:15 +00:00
import logging
import os
from collections import OrderedDict
2016-01-24 06:37:15 +00:00
import yaml
from homeassistant.exceptions import HomeAssistantError
_LOGGER = logging.getLogger(__name__)
# pylint: disable=too-many-ancestors
class SafeLineLoader(yaml.SafeLoader):
"""Loader class that keeps track of line numbers."""
def compose_node(self, parent, index):
"""Annotate a node with the first line it was seen."""
last_line = self.line
node = super(SafeLineLoader, self).compose_node(parent, index)
node.__line__ = last_line + 1
return node
2016-01-24 06:37:15 +00:00
def load_yaml(fname):
"""Load a YAML file."""
try:
with open(fname, encoding='utf-8') as conf_file:
# If configuration file is empty YAML returns None
# We convert that to an empty dict
return yaml.load(conf_file, Loader=SafeLineLoader) or {}
except yaml.YAMLError as exc:
_LOGGER.error(exc)
raise HomeAssistantError(exc)
2016-01-24 06:37:15 +00:00
def _include_yaml(loader, node):
2016-03-07 22:20:48 +00:00
"""Load another YAML file and embeds it using the !include tag.
2016-01-24 06:37:15 +00:00
Example:
device_tracker: !include device_tracker.yaml
"""
fname = os.path.join(os.path.dirname(loader.name), node.value)
return load_yaml(fname)
def _ordered_dict(loader, node):
2016-03-07 22:20:48 +00:00
"""Load YAML mappings into an ordered dict to preserve key order."""
2016-01-24 06:37:15 +00:00
loader.flatten_mapping(node)
nodes = loader.construct_pairs(node)
2016-01-24 06:37:15 +00:00
seen = {}
for (key, _), (node, _) in zip(nodes, node.value):
line = getattr(node, '__line__', 'unknown')
if key in seen:
fname = getattr(loader.stream, 'name', '')
first_mark = yaml.Mark(fname, 0, seen[key], -1, None, None)
second_mark = yaml.Mark(fname, 0, line, -1, None, None)
raise yaml.MarkedYAMLError(
context="duplicate key: \"{}\"".format(key),
context_mark=first_mark, problem_mark=second_mark,
)
seen[key] = line
return OrderedDict(nodes)
2016-01-24 06:37:15 +00:00
2016-01-30 23:46:08 +00:00
yaml.SafeLoader.add_constructor('!include', _include_yaml)
yaml.SafeLoader.add_constructor(yaml.resolver.BaseResolver.DEFAULT_MAPPING_TAG,
_ordered_dict)