"""
File consists of several classes to model elements and assembly
layers of a composed device.
"""

from __future__ import annotations
import uuid
import json
import operator
from enum import Enum, auto
from typing import Any, Optional
from copy import deepcopy


class AggregationLayer(Enum):
    """Describes the level of aggregation for the objects LegoComponent and LegoAssembly
    and provides the 4 applicable layers.
    """

    SYSTEM = auto()
    ASSEMBLY = auto()
    SUBASSEMBLY = auto()
    COMPONENT = auto()


class LegoComponent:
    """Information storage for a single Lego component.

    Attributes
        uuid (uuid.UUID): A randomly generated unique identifier for the component.
        parent (None | LegoAssembly): The parent of the component. None if the
            component has no parent.
        layer (AggregationLayer): An enumeration indicating the hierarchy level. For
            components, this is COMPONENT by default.
        properties (dict[str, Any]): dictionary that holds all properties of the
            component that can be saved in a dictionary format.

    Methods
        clone(new_label=None): Returns a new instance of LegoComponent identical to the
            current instance.
        get_root_assembly(): Returns the top-level assembly in which the component is
            contained.
        to_dict(): Returns the current instance represented as a dictionary.
    """

    def __init__(
        self,
        label: Optional[str] = None,
        datasheet: Optional[dict[str, Any]] = None,
        *more_properties: dict,
        **kwargs,
    ) -> None:
        """Create a LegoComponent object.

        Args:
            label (str, optional): The name of the component to add. Defaults
                to None.
            datasheet (dict[str, Any], optional): Metadata describing the component,
                read from datasheet. Defaults to None.
            more_properties  tuple of dict, dict
                Additional dictionaries representing custom properties.
            kwargs
                Arbitrary keyword arguments representing custom properties.

        Raises:
            ValueError: If the type of more_properties argument is not a dictionary.
        """

        self._uuid: uuid.UUID = uuid.uuid4()
        self._parent: None | LegoAssembly = None
        self.layer: AggregationLayer = AggregationLayer.COMPONENT
        self.properties: dict = {}
        if label is not None:
            self.properties["label"] = label
        if datasheet is not None:
            self.properties.update(deepcopy(datasheet))
        for prop in more_properties:
            if isinstance(prop, dict):
                self.properties.update(deepcopy(prop))
            else:
                raise ValueError(f"Unexpected argument type: {type(more_properties)}")
        for key, value in kwargs.items():
            self.properties[key] = deepcopy(value)

    @property
    def uuid(self) -> uuid.UUID:
        return self._uuid

    @property
    def parent(self) -> None | LegoAssembly:
        return self._parent

    def clone(self, new_label: Optional[str] = None) -> LegoComponent:
        """Return a new instance of LegoComponent identical to the current instance.

        This method creates a new instance of LegoComponent that is identical to the
        current instance with an optional different label.
        The assigned uuid changes and elements are copied.

        Args:
            new_label (str, optional): A new label string to use. Defaults to None.

        Returns:
            LegoComponent: A new instance of LegoComponent that is identical to the
                current instance.
        """

        if new_label is None:
            new_label = self.properties["label"]
        clone = LegoComponent(None, None, deepcopy(self.properties))
        clone.properties["label"] = new_label
        return clone

    def get_property(self, key: str, default: Any = None) -> Any:
        """Get a property from the component.

        Args:
            key (str): Property name.
            default (Any, optional): What to return if key is not available in
                properties. Defaults to None.

        Returns:
            Any: Property value.
        """
        if key == "uuid":
            return self._uuid
        if key == "layer":
            return self._layer
        return self.properties.get(key, default=default)

    def get_root_assembly(self):
        """Return the top-level assembly in which the component belongs.

        This method traverses the parent hierarchy of a LegoComponent object until it
        finds the root-level LegoAssembly, returning it to the caller. A parent is
        assigned when a LegoComponent or LegoItem is added to a LegoAssembly object.

        Returns:
            None | LegoAssembly: The root-level LegoAssembly or None if the component
                has no parent.
        """
        if self._parent is None:
            return None
        current_assembly = self._parent
        while current_assembly._parent is not None:
            current_assembly = current_assembly._parent
        return current_assembly

    def to_dict(self) -> dict:
        """Return the current instance represented as a dictionary.

        This method returns a dictionary representation of the LegoComponent object
        suitable for serialization as JSON.

        Returns:
            dict[str, Any]: A dictionary representation of the object.
        """
        dict_ = {
            "uuid": self._uuid,
            "properties": self.properties,
            "layer": self.layer,
        }
        return {"component": dict_}

    def __eq__(self, obj: object):
        """Check if provided object is equal to this component.

        Args:
            obj (object): Object to compare to.

        Returns:
            bool: True if UUID, properties, and layer match. False otherwise.
        """
        # in case of mismatching class
        if not isinstance(obj, LegoComponent):
            return False

        if (
            self._uuid == obj._uuid
            and self.layer == obj.layer
            and self.properties == obj.properties
        ):
            return True
        else:
            return False

    def __repr__(self):
        """Create a machine-readable representation of the instance.

        Returns:
            str: A string representing the LegoComponent instance.
        """

        label_str = ""
        if self.properties["label"] is not None:
            label_str = f"label='{self.properties['label']}', "
        property_str = ", ".join(
            [
                f"'{k}': '{v}'" if isinstance(v, str) else f"'{k}': {v}"
                for k, v in self.properties.items()
                if not k == "label"
            ]
        )
        property_str = f"**{{{property_str}}}" if property_str else property_str
        return f"LegoComponent({label_str}{property_str})"

    def __str__(self):
        """Handle the conversion of LegoComponent objects to str objects.

        Returns:
            str: A string converted from the LegoComponent instance.
        """
        if self.properties.get("label") is None:
            return f"LegoComponent [{self._uuid}]"
        return f"LegoComponent {self.properties['label']} [{self._uuid}]"


class LegoAssembly:
    """
    Represents a Lego assembly that can contain Lego Components and subassemblies.

    Attributes:
        uuid (uuid.UUID): The unique ID of the assembly.
        parent (LegoAssembly or None): The parent assembly containing this one, if any.
        properties (dict): Optional properties for the assembly, such as a label.
        layer (AggregationLayer): The aggregation layer of the assembly.
        components (list[LegoComponent]): The list of contained components.
        assemblies (list[LegoAssembly]): The list of contained subassemblies.
    """

    def __init__(
        self,
        layer: AggregationLayer,
        label: Optional[str] = None,
        *properties: dict,
        **kwargs,
    ) -> None:
        """
        Initializes a new LegoAssembly instance.

        Args:
            layer (AggregationLayer): The aggregation layer of the assembly.
            label (Optional[str], optional): Optional label for the assembly.
                Defaults to None.
            properties (dict): Optional properties for the assembly, such as a label.
            **kwargs: Optional keyword arguments for additional properties.
        """
        self._uuid: uuid.UUID = uuid.uuid4()
        self._parent: None | LegoAssembly = None
        self.properties: dict = {}
        self._layer: AggregationLayer = layer
        if label is not None:
            self.properties["label"] = label
        for prop in properties:
            if isinstance(prop, dict):
                self.properties.update(deepcopy(prop))
            else:
                raise ValueError(f"Unexpected argument type: {type(properties)}")
        for key, value in kwargs.items():
            self.properties[key] = deepcopy(value)
        self._components: list[LegoComponent] = []
        self._assemblies: list[LegoAssembly] = []

    @property
    def uuid(self) -> uuid.UUID:
        return self._uuid

    @property
    def parent(self) -> None | LegoAssembly:
        return self._parent

    @property
    def layer(self) -> AggregationLayer:
        return self._layer

    @property
    def components(self) -> list[LegoComponent]:
        return self._components

    @property
    def assemblies(self) -> list[LegoAssembly]:
        return self._assemblies

    def add_component(self, component: LegoComponent | list[LegoComponent]) -> None:
        """
        Adds a Lego component to the current assembly.
        Use add() to handle both components and assemblies.

        Args:
            component (LegoComponent or list[LegoComponent]):
                The component or list of components to add.

        Raises:
            TypeError: If the argument is not a LegoComponent instance
                or a list of LegoComponent instances.
            AssertionError: If the component or a component with the same UUID
            is already contained in the assembly or any of its child assemblies.
        """
        if isinstance(component, list):
            for c in component:
                self.add_component(c)
            return

        if not isinstance(component, LegoComponent):
            raise TypeError(
                f"Argument should be of type {LegoComponent.__name__}, "
                f"got {type(component).__name__} instead."
            )

        if self.get_root_assembly().contains_uuid(component._uuid):
            raise AssertionError(
                f"This assembly or a subassembly already contains "
                f"the component with ID "
                f"{component._uuid}."
            )
        component._parent = self
        self._components.append(component)

    def add_assembly(self, assembly: LegoAssembly | list[LegoAssembly]) -> None:
        """
        Adds a subassembly to the current assembly.
        Use add() to handle both components and assemblies.

        Args:
            assembly (LegoAssembly or list[LegoAssembly]):
                The subassembly or list of subassemblies to add.

        Raises:
            TypeError: If the argument is not a LegoAssembly instance
                or a list of LegoAssembly instances.
            AssertionError: If the subassembly or a subassembly with the same UUID
                is already contained in the assembly or any of its child assemblies.
        """
        if isinstance(assembly, list):
            for a in assembly:
                self.add_assembly(a)
            return

        if not isinstance(assembly, LegoAssembly):
            raise TypeError(
                f"Argument should be of type {LegoAssembly.__name__}, "
                f"got {type(assembly).__name__} instead."
            )

        if self.get_root_assembly().contains_uuid(assembly._uuid):
            raise AssertionError(
                f"This assembly or a subassembly already contains "
                f"the assembly with ID {assembly._uuid}."
            )
        assembly._parent = self
        self._assemblies.append(assembly)

    def add(
        self, part: LegoAssembly | LegoComponent | list[LegoAssembly | LegoComponent]
    ) -> None:
        """
        Adds either a Lego component, a subassembly or a (mixed) list of them to the
        current assembly. Uses internal functions add_component() and add_assembly().

        Args:
            part (LegoAssembly or LegoComponent or list[LegoAssembly or LegoComponent]):
                The part or parts to add.

        Raises:
            TypeError: If the argument is not a LegoAssembly instance or a LegoComponent
                instance, or a (mixed) list of them.
        """
        if isinstance(part, LegoComponent):
            self.add_component(part)
        elif isinstance(part, LegoAssembly):
            self.add_assembly(part)
        elif isinstance(part, list):
            for p in part:
                self.add(p)
        else:
            raise TypeError(
                f"Argument should be of types {LegoAssembly.__name__}, "
                f"{LegoComponent.__name__} or a list of them. "
                f"Got {type(part).__name__} instead."
            )

    def children(self) -> dict[str, list[LegoComponent] | list[LegoAssembly]]:
        """
        Returns a dictionary of the assembly's children (components and
        sub-assemblies), sorted by category.

        Returns:
            A dictionary with two keys - "components" and "assemblies" - and
            corresponding lists of LegoComponents and LegoAssemblies as values.
        """
        return {"components": self._components, "assemblies": self._assemblies}

    def get_component_list(self, max_depth: int = -1) -> list[LegoComponent]:
        """
        Gets a full list of all components contained in the assembly or any of
        its sub-assemblies.

        Args:
            max_depth: An integer indicating the maximum depth of recursion.
                -1 means unlimited depth. 0 returns only direct children.

        Returns:
            A list of all LegoComponents contained in the current assembly or
            its sub-assemblies.
        """
        component_list = []
        component_list.extend(self._components)
        if not max_depth == 0:
            for assembly in self._assemblies:
                component_list.extend(assembly.get_component_list(max_depth - 1))
        return component_list

    def get_property(self, key: str, default: Any = None) -> Any:
        """Get a property from the assembly.

        Args:
            key (str): Property name.
            default (Any, optional): What to return if key is not available in
                properties. Defaults to None.

        Returns:
            Any: Property value.
        """
        if key == "uuid":
            return self._uuid
        if key == "layer":
            return self._layer
        return self.properties.get(key, default=default)

    def get_root_assembly(self) -> LegoAssembly:
        """
        Returns the root LegoAssembly of the current assembly by recursively
        searching up the tree until the top-most parent (the root) is found.

        Returns:
            The root LegoAssembly of the current LegoAssembly instance.
        """
        current_assembly = self
        while current_assembly._parent is not None:
            current_assembly = current_assembly._parent
        return current_assembly

    def contains_uuid(self, uuid_: uuid.UUID):
        """
        Recursively searches through the assembly  and component
        tree to determine whether the specified UUID exists anywhere
        within it.

        Args:
            uuid_: A UUID object representing the ID to search for.

        Returns:
            True if the UUID exists in the assembly or any of its sub-assemblies,
                False otherwise.
        """
        component_ids = list(map(lambda c: c._uuid, self._components))
        if uuid_ in component_ids:
            return True
        assembly_ids = list(map(lambda a: a._uuid, self._assemblies))
        if uuid_ in assembly_ids:
            return True
        for assembly in self._assemblies:
            if assembly.contains_uuid(uuid_):
                return True
        return False

    def to_dict(self) -> dict:
        """
        Serializes the current LegoAssembly instance and its descendants into a dict.

        Returns:
            A dictionary representation of the current assembly, including all
            of its component and sub-assembly children.
        """
        dict_ = {
            "uuid": self._uuid,
            "properties": self.properties,
            "layer": self._layer,
        }
        dict_["components"] = [component.to_dict() for component in self._components]
        dict_["assemblies"] = [assembly.to_dict() for assembly in self._assemblies]
        return {"assembly": dict_}

    def clone(self, label: Optional[str] = None) -> LegoAssembly:
        """
        Creates a deep clone of the current LegoAssembly instance, including
        all of its component and sub-assembly children. The assigned uuid changes.
        Optionally a new label can be passed.

        Args:
            label: The label (name) for the cloned assembly. If none is passed,
            uses the same label as the original assembly.

        Returns:
            The cloned LegoAssembly instance.
        """
        if label is None:
            label = self.properties["label"]
        clone = LegoAssembly(self._layer, None, deepcopy(self.properties))
        clone.properties["label"] = label
        for component in self._components:
            clone.add_component(component.clone())
        for assembly in self._assemblies:
            clone.add_assembly(assembly.clone())
        return clone

    def __eq__(self, obj: object) -> bool:
        """Check if provided object is equal to this assembly.

        Args:
            obj (object): Object to compare to.

        Returns:
            bool: True if UUID, properties, layer, components and assemblies match.
                False otherwise.
        """
        # in case of mismatching class
        if not isinstance(obj, LegoAssembly):
            return False

        if (
            self._uuid == obj._uuid
            and self.properties == obj.properties
            and self._layer == obj._layer
            and self._components == obj._components
            and self._assemblies == obj._assemblies
        ):
            return True
        else:
            return False

    def __repr__(self):
        """Create a machine-readable representation of the instance.

        Returns:
            str: A string representing the LegoAssembly instance.
        """

        label_str = ""
        if self.properties["label"] is not None:
            label_str = f"label='{self.properties['label']}', "
        layer_str = f"layer={self._layer}, "
        property_str = ", ".join(
            [
                f"'{k}': '{v}'" if isinstance(v, str) else f"'{k}': {v}"
                for k, v in self.properties.items()
                if not k == "label"
            ]
        )
        property_str = f"**{{{property_str}}}" if property_str else property_str

        return f"LegoAssembly({label_str}{layer_str}{property_str})"

    def __str__(self):
        """Handle the conversion of LegoComponent objects to str objects.

        Returns:
            str: A string converted from the LegoComponent instance.
        """
        if self.properties["label"] is None:
            return f"LegoAssembly [{self._uuid}]"
        return f"LegoAssembly {self.properties['label']} [{self._uuid}]"


def print_assembly_tree(root: LegoAssembly, levels: list[bool] = None) -> None:
    """
    Prints the assembly tree starting from root with a visualization
    implemented with text characters.

    Args:
        root (LegoAssembly): The root of the assembly tree to print.
        levels (list[bool]): Internally used by recursion to know where
            to print vertical connection. Defaults to None.
    """
    if not isinstance(root, LegoAssembly):
        raise TypeError(
            f"Argument should be of type {LegoAssembly.__name__}, "
            f"got {type(root).__name__} instead."
        )
    if levels is None:
        levels = []
    connection_padding = "".join(map(lambda draw: "│   " if draw else "    ", levels))
    assembly_padding = ""
    if len(levels) > 0:
        assembly_padding = "├── " if levels[-1] else "└── "
    print(f"{connection_padding[:-4]}{assembly_padding}{root}")
    """ Recursively print child components. """
    for i, assembly in enumerate(root._assemblies):
        is_last = i == len(root._assemblies) - 1 and len(root._components) == 0
        print_assembly_tree(assembly, [*levels, not is_last])
    """ Print the components. """
    for i, component in enumerate(root._components):
        component_padding = "├── " if i < len(root._components) - 1 else "└── "
        print(f"{connection_padding}{component_padding}{component}")


def correct_aggregation_hierarchy(root: LegoAssembly, strict: bool = False):
    """
    Recursively checks whether the aggregation hierarchy from `root` is correct.

    Args:
        root (LegoAssembly): The root of the assembly tree.
        strict (bool): If True, the function will return False if any assembly
            or component with a layer level equal to root's is found.
            Defaults to False.

    Returns:
        True if the aggregation hierarchy is correct. False otherwise.
    """
    if not isinstance(root, LegoAssembly):
        raise TypeError(
            f"Argument should be of type {LegoAssembly.__name__}, "
            f"got {type(root).__name__} instead."
        )
    higher_level = operator.le
    if strict:
        higher_level = operator.lt
    for component in root._components:
        if not higher_level(root._layer.value, component.layer.value):
            return False
    for assembly in root._assemblies:
        if not higher_level(root._layer.value, assembly._layer.value):
            return False
        if not correct_aggregation_hierarchy(assembly, strict):
            return False
    return True


class KPIEncoder(json.JSONEncoder):
    """
    JSON encoder that handles special class types for KPI serialization.
    """

    def default(self, o: Any):
        """
        Overrides default method to handle special conversion cases.

        Args:
            o (Any): Object to be converted.

        Returns:
            Converted object or super method if no applicable case is found.
        """
        if isinstance(o, uuid.UUID):
            return "kpi-" + str(o)
        if isinstance(o, (AggregationLayer)):
            return "kpi-" + o.name
        return super().default(o)