2024-04-10 14:39:46 +00:00
|
|
|
from __future__ import annotations
|
|
|
|
|
|
|
|
from typing import List, Optional, Dict, Tuple, Type, Union, TypedDict
|
|
|
|
|
|
|
|
from .collection import Collection
|
|
|
|
from .metadata import (
|
|
|
|
Mapping as id3Mapping,
|
|
|
|
ID3Timestamp,
|
|
|
|
Metadata
|
|
|
|
)
|
|
|
|
from ..utils.string_processing import unify, hash_url
|
|
|
|
|
|
|
|
from .parents import OuterProxy as Base
|
|
|
|
|
|
|
|
from ..utils.config import main_settings
|
|
|
|
|
|
|
|
|
|
|
|
class ArtworkVariant(TypedDict):
|
|
|
|
url: str
|
|
|
|
width: int
|
|
|
|
height: int
|
|
|
|
deviation: float
|
|
|
|
|
|
|
|
|
|
|
|
class Artwork:
|
2024-04-10 15:06:29 +00:00
|
|
|
def __init__(self, *variants: List[ArtworkVariant]) -> None:
|
2024-04-10 14:39:46 +00:00
|
|
|
self._variant_mapping: Dict[str, ArtworkVariant] = {}
|
|
|
|
|
2024-04-10 15:06:29 +00:00
|
|
|
for variant in variants:
|
|
|
|
self.append(**variant)
|
|
|
|
|
2024-04-10 14:39:46 +00:00
|
|
|
@staticmethod
|
|
|
|
def _calculate_deviation(*dimensions: List[int]) -> float:
|
|
|
|
return sum(abs(d - main_settings["preferred_artwork_resolution"]) for d in dimensions) / len(dimensions)
|
|
|
|
|
2024-04-10 16:18:52 +00:00
|
|
|
def append(self, url: str, width: int, height: int, **kwargs) -> None:
|
2024-04-10 14:39:46 +00:00
|
|
|
self._variant_mapping[hash_url(url=url)] = {
|
|
|
|
"url": url,
|
|
|
|
"width": width,
|
|
|
|
"height": height,
|
|
|
|
"deviation": self._calculate_deviation(width, height),
|
|
|
|
}
|
|
|
|
|
|
|
|
@property
|
|
|
|
def best_variant(self) -> ArtworkVariant:
|
2024-04-10 16:18:52 +00:00
|
|
|
if len(self._variant_mapping) == 0:
|
|
|
|
return None
|
2024-04-10 14:39:46 +00:00
|
|
|
return min(self._variant_mapping.values(), key=lambda x: x["deviation"])
|
2024-04-10 14:47:38 +00:00
|
|
|
|
|
|
|
def __merge__(self, other: Artwork, override: bool = False) -> None:
|
|
|
|
for key, value in other._variant_mapping.items():
|
|
|
|
if key not in self._variant_mapping or override:
|
|
|
|
self._variant_mapping[key] = value
|
2024-04-10 14:55:02 +00:00
|
|
|
|
|
|
|
def __eq__(self, other: Artwork) -> bool:
|
|
|
|
return any(a == b for a, b in zip(self._variant_mapping.keys(), other._variant_mapping.keys()))
|