414 lines
16 KiB
Python
414 lines
16 KiB
Python
"""A class to represent a single comic, be it file or folder of images"""
|
|
|
|
# Copyright 2012-2014 ComicTagger Authors
|
|
#
|
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
|
# you may not use this file except in compliance with the License.
|
|
# You may obtain a copy of the License at
|
|
#
|
|
# http://www.apache.org/licenses/LICENSE-2.0
|
|
#
|
|
# Unless required by applicable law or agreed to in writing, software
|
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
# See the License for the specific language governing permissions and
|
|
# limitations under the License.
|
|
from __future__ import annotations
|
|
|
|
import importlib.util
|
|
import io
|
|
import itertools
|
|
import logging
|
|
import os
|
|
import pathlib
|
|
import shutil
|
|
import sys
|
|
import traceback
|
|
from collections.abc import Sequence
|
|
from typing import TYPE_CHECKING
|
|
|
|
from comicapi import utils
|
|
from comicapi.archivers import Archiver, UnknownArchiver, ZipArchiver
|
|
from comicapi.genericmetadata import GenericMetadata
|
|
from comicapi.metadata import Metadata
|
|
from comictaggerlib.ctversion import version
|
|
|
|
if TYPE_CHECKING:
|
|
from importlib.machinery import ModuleSpec
|
|
from importlib.metadata import EntryPoint
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
archivers: list[type[Archiver]] = []
|
|
metadata_styles: dict[str, Metadata] = {}
|
|
|
|
|
|
def load_archive_plugins(local_plugins: Sequence[EntryPoint] = tuple()) -> None:
|
|
if not archivers:
|
|
if sys.version_info < (3, 10):
|
|
from importlib_metadata import entry_points
|
|
else:
|
|
from importlib.metadata import entry_points
|
|
builtin: list[type[Archiver]] = []
|
|
# A list is used first matching plugin wins
|
|
for ep in itertools.chain(local_plugins, entry_points(group="comicapi.archiver")):
|
|
try:
|
|
archiver: type[Archiver] = ep.load()
|
|
if ep.module.startswith("comicapi"):
|
|
builtin.append(archiver)
|
|
else:
|
|
archivers.append(archiver)
|
|
except Exception:
|
|
try:
|
|
spec = importlib.util.find_spec(ep.module)
|
|
except ValueError:
|
|
spec = None
|
|
if spec and spec.has_location:
|
|
logger.exception("Failed to load archive plugin: %s from %s", ep.name, spec.origin)
|
|
else:
|
|
logger.exception("Failed to load archive plugin: %s", ep.name)
|
|
archivers.extend(builtin)
|
|
|
|
|
|
def load_metadata_plugins(version: str = f"ComicAPI/{version}", local_plugins: Sequence[EntryPoint] = tuple()) -> None:
|
|
if not metadata_styles:
|
|
if sys.version_info < (3, 10):
|
|
from importlib_metadata import entry_points
|
|
else:
|
|
from importlib.metadata import entry_points
|
|
builtin: dict[str, Metadata] = {}
|
|
styles: dict[str, tuple[Metadata, ModuleSpec | None]] = {}
|
|
# A dict is used, last plugin wins
|
|
for ep in itertools.chain(entry_points(group="comicapi.metadata"), local_plugins):
|
|
try:
|
|
spec = importlib.util.find_spec(ep.module)
|
|
except ValueError:
|
|
spec = None
|
|
try:
|
|
style: type[Metadata] = ep.load()
|
|
if style.enabled:
|
|
if ep.module.startswith("comicapi"):
|
|
builtin[style.short_name] = style(version)
|
|
else:
|
|
if style.short_name in styles:
|
|
if spec and spec.has_location:
|
|
logger.warning(
|
|
"Plugin %s from %s is overriding the existing metadata plugin for %s tags",
|
|
ep.module,
|
|
spec.origin,
|
|
style.short_name,
|
|
)
|
|
else:
|
|
logger.warning(
|
|
"Plugin %s is overriding the existing metadata plugin for %s tags",
|
|
ep.module,
|
|
style.short_name,
|
|
)
|
|
styles[style.short_name] = (style(version), spec)
|
|
except Exception:
|
|
if spec and spec.has_location:
|
|
logger.exception("Failed to load metadata plugin: %s from %s", ep.name, spec.origin)
|
|
else:
|
|
logger.exception("Failed to load metadata plugin: %s", ep.name)
|
|
for style_name in set(builtin.keys()).intersection(styles):
|
|
spec = styles[style_name][1]
|
|
if spec and spec.has_location:
|
|
logger.warning(
|
|
"Builtin metadata for %s tags are being overridden by a plugin from %s", style_name, spec.origin
|
|
)
|
|
else:
|
|
logger.warning("Builtin metadata for %s tags are being overridden by a plugin", style_name)
|
|
metadata_styles.clear()
|
|
metadata_styles.update(builtin)
|
|
metadata_styles.update({s[0]: s[1][0] for s in styles.items()})
|
|
|
|
|
|
class ComicArchive:
|
|
logo_data = b""
|
|
pil_available = True
|
|
|
|
def __init__(
|
|
self, path: pathlib.Path | str | Archiver, default_image_path: pathlib.Path | str | None = None
|
|
) -> None:
|
|
self.md: dict[str, GenericMetadata] = {}
|
|
self.page_count: int | None = None
|
|
self.page_list: list[str] = []
|
|
|
|
self.reset_cache()
|
|
self.default_image_path = default_image_path
|
|
|
|
if isinstance(path, Archiver):
|
|
self.path = path.path
|
|
self.archiver: Archiver = path
|
|
else:
|
|
self.path = pathlib.Path(path).absolute()
|
|
self.archiver = UnknownArchiver.open(self.path)
|
|
|
|
load_archive_plugins()
|
|
load_metadata_plugins()
|
|
for archiver in archivers:
|
|
if archiver.enabled and archiver.is_valid(self.path):
|
|
self.archiver = archiver.open(self.path)
|
|
break
|
|
|
|
if not ComicArchive.logo_data and self.default_image_path:
|
|
with open(self.default_image_path, mode="rb") as fd:
|
|
ComicArchive.logo_data = fd.read()
|
|
|
|
def reset_cache(self) -> None:
|
|
"""Clears the cached data"""
|
|
|
|
self.page_count = None
|
|
self.page_list.clear()
|
|
self.md.clear()
|
|
|
|
def load_cache(self, style_list: list[str]) -> None:
|
|
for style in style_list:
|
|
if style in metadata_styles:
|
|
md = metadata_styles[style].get_metadata(self.archiver)
|
|
if not md.is_empty:
|
|
self.md[style] = md
|
|
|
|
def get_supported_metadata(self) -> list[str]:
|
|
return [style[0] for style in metadata_styles.items() if style[1].supports_metadata(self.archiver)]
|
|
|
|
def rename(self, path: pathlib.Path | str) -> None:
|
|
new_path = pathlib.Path(path).absolute()
|
|
if new_path == self.path:
|
|
return
|
|
os.makedirs(new_path.parent, 0o777, True)
|
|
shutil.move(self.path, new_path)
|
|
self.path = new_path
|
|
self.archiver.path = pathlib.Path(path)
|
|
|
|
def is_writable(self, check_archive_status: bool = True) -> bool:
|
|
if isinstance(self.archiver, UnknownArchiver):
|
|
return False
|
|
|
|
if check_archive_status and not self.archiver.is_writable():
|
|
return False
|
|
|
|
if not (os.access(self.path, os.W_OK) or os.access(self.path.parent, os.W_OK)):
|
|
return False
|
|
|
|
return True
|
|
|
|
def is_writable_for_style(self, style: str) -> bool:
|
|
if style in metadata_styles:
|
|
return self.archiver.is_writable() and metadata_styles[style].supports_metadata(self.archiver)
|
|
return False
|
|
|
|
def is_zip(self) -> bool:
|
|
return self.archiver.name() == "ZIP"
|
|
|
|
def seems_to_be_a_comic_archive(self) -> bool:
|
|
if not (isinstance(self.archiver, UnknownArchiver)) and self.get_number_of_pages() > 0:
|
|
return True
|
|
|
|
return False
|
|
|
|
def extension(self) -> str:
|
|
return self.archiver.extension()
|
|
|
|
def read_metadata(self, style: str) -> GenericMetadata:
|
|
if style in self.md:
|
|
return self.md[style]
|
|
md = GenericMetadata()
|
|
if metadata_styles[style].has_metadata(self.archiver):
|
|
md = metadata_styles[style].get_metadata(self.archiver)
|
|
md.apply_default_page_list(self.get_page_name_list())
|
|
return md
|
|
|
|
def read_metadata_string(self, style: str) -> str:
|
|
return metadata_styles[style].get_metadata_string(self.archiver)
|
|
|
|
def write_metadata(self, metadata: GenericMetadata, style: str) -> bool:
|
|
if style in self.md:
|
|
del self.md[style]
|
|
metadata.apply_default_page_list(self.get_page_name_list())
|
|
return metadata_styles[style].set_metadata(metadata, self.archiver)
|
|
|
|
def has_metadata(self, style: str) -> bool:
|
|
if style in self.md:
|
|
return True
|
|
return metadata_styles[style].has_metadata(self.archiver)
|
|
|
|
def remove_metadata(self, style: str) -> bool:
|
|
if style in self.md:
|
|
del self.md[style]
|
|
return metadata_styles[style].remove_metadata(self.archiver)
|
|
|
|
def get_page(self, index: int) -> bytes:
|
|
image_data = b""
|
|
|
|
filename = self.get_page_name(index)
|
|
|
|
if filename:
|
|
try:
|
|
image_data = self.archiver.read_file(filename) or b""
|
|
except Exception as e:
|
|
tb = traceback.extract_tb(e.__traceback__)
|
|
logger.error(
|
|
"%s:%s: Error reading in page %d. Substituting logo page.", tb[1].filename, tb[1].lineno, index
|
|
)
|
|
image_data = ComicArchive.logo_data
|
|
|
|
return image_data
|
|
|
|
def get_page_name(self, index: int) -> str:
|
|
if index is None:
|
|
return ""
|
|
|
|
page_list = self.get_page_name_list()
|
|
|
|
num_pages = len(page_list)
|
|
if num_pages == 0 or index >= num_pages:
|
|
return ""
|
|
|
|
return page_list[index]
|
|
|
|
def get_scanner_page_index(self) -> int | None:
|
|
scanner_page_index = None
|
|
|
|
# make a guess at the scanner page
|
|
name_list = self.get_page_name_list()
|
|
count = self.get_number_of_pages()
|
|
|
|
# too few pages to really know
|
|
if count < 5:
|
|
return None
|
|
|
|
# count the length of every filename, and count occurrences
|
|
length_buckets: dict[int, int] = {}
|
|
for name in name_list:
|
|
fname = os.path.split(name)[1]
|
|
length = len(fname)
|
|
if length in length_buckets:
|
|
length_buckets[length] += 1
|
|
else:
|
|
length_buckets[length] = 1
|
|
|
|
# sort by most common
|
|
sorted_buckets = sorted(length_buckets.items(), key=lambda tup: (tup[1], tup[0]), reverse=True)
|
|
|
|
# statistical mode occurrence is first
|
|
mode_length = sorted_buckets[0][0]
|
|
|
|
# we are only going to consider the final image file:
|
|
final_name = os.path.split(name_list[count - 1])[1]
|
|
|
|
common_length_list = []
|
|
for name in name_list:
|
|
if len(os.path.split(name)[1]) == mode_length:
|
|
common_length_list.append(os.path.split(name)[1])
|
|
|
|
prefix = os.path.commonprefix(common_length_list)
|
|
|
|
if mode_length <= 7 and prefix == "":
|
|
# probably all numbers
|
|
if len(final_name) > mode_length:
|
|
scanner_page_index = count - 1
|
|
|
|
# see if the last page doesn't start with the same prefix as most others
|
|
elif not final_name.startswith(prefix):
|
|
scanner_page_index = count - 1
|
|
|
|
return scanner_page_index
|
|
|
|
def get_page_name_list(self) -> list[str]:
|
|
if not self.page_list:
|
|
self.page_list = utils.get_page_name_list(self.archiver.get_filename_list())
|
|
|
|
return self.page_list
|
|
|
|
def get_number_of_pages(self) -> int:
|
|
if self.page_count is None:
|
|
self.page_count = len(self.get_page_name_list())
|
|
return self.page_count
|
|
|
|
def apply_archive_info_to_metadata(self, md: GenericMetadata, calc_page_sizes: bool = False) -> None:
|
|
md.page_count = self.get_number_of_pages()
|
|
|
|
if calc_page_sizes:
|
|
for index, p in enumerate(md.pages):
|
|
idx = int(p["image_index"])
|
|
p["filename"] = self.get_page_name(idx)
|
|
if self.pil_available:
|
|
try:
|
|
from PIL import Image
|
|
|
|
self.pil_available = True
|
|
except ImportError:
|
|
self.pil_available = False
|
|
if "size" not in p or "height" not in p or "width" not in p:
|
|
data = self.get_page(idx)
|
|
if data:
|
|
try:
|
|
if isinstance(data, bytes):
|
|
im = Image.open(io.BytesIO(data))
|
|
else:
|
|
im = Image.open(io.StringIO(data))
|
|
w, h = im.size
|
|
|
|
p["size"] = str(len(data))
|
|
p["height"] = str(h)
|
|
p["width"] = str(w)
|
|
except Exception as e:
|
|
logger.warning("Error decoding image [%s] %s :: image %s", e, self.path, index)
|
|
p["size"] = str(len(data))
|
|
|
|
else:
|
|
if "size" not in p:
|
|
data = self.get_page(idx)
|
|
p["size"] = str(len(data))
|
|
|
|
def metadata_from_filename(
|
|
self,
|
|
parser: utils.Parser = utils.Parser.ORIGINAL,
|
|
remove_c2c: bool = False,
|
|
remove_fcbd: bool = False,
|
|
remove_publisher: bool = False,
|
|
split_words: bool = False,
|
|
allow_issue_start_with_letter: bool = False,
|
|
protofolius_issue_number_scheme: bool = False,
|
|
) -> GenericMetadata:
|
|
metadata = GenericMetadata()
|
|
|
|
filename_info = utils.parse_filename(
|
|
self.path.name,
|
|
parser=parser,
|
|
remove_c2c=remove_c2c,
|
|
remove_fcbd=remove_fcbd,
|
|
remove_publisher=remove_publisher,
|
|
split_words=split_words,
|
|
allow_issue_start_with_letter=allow_issue_start_with_letter,
|
|
protofolius_issue_number_scheme=protofolius_issue_number_scheme,
|
|
)
|
|
metadata.alternate_number = utils.xlate(filename_info.get("alternate", None))
|
|
metadata.issue = utils.xlate(filename_info.get("issue", None))
|
|
metadata.issue_count = utils.xlate_int(filename_info.get("issue_count", None))
|
|
metadata.publisher = utils.xlate(filename_info.get("publisher", None))
|
|
metadata.series = utils.xlate(filename_info.get("series", None))
|
|
metadata.title = utils.xlate(filename_info.get("title", None))
|
|
metadata.volume = utils.xlate_int(filename_info.get("volume", None))
|
|
metadata.volume_count = utils.xlate_int(filename_info.get("volume_count", None))
|
|
metadata.year = utils.xlate_int(filename_info.get("year", None))
|
|
|
|
metadata.scan_info = utils.xlate(filename_info.get("remainder", None))
|
|
metadata.format = "FCBD" if filename_info.get("fcbd", None) else None
|
|
if filename_info.get("annual", None):
|
|
metadata.format = "Annual"
|
|
if filename_info.get("format", None):
|
|
metadata.format = filename_info["format"]
|
|
|
|
metadata.is_empty = False
|
|
return metadata
|
|
|
|
def export_as_zip(self, zip_filename: pathlib.Path) -> bool:
|
|
if self.archiver.name() == "ZIP":
|
|
# nothing to do, we're already a zip
|
|
return True
|
|
|
|
zip_archiver = ZipArchiver.open(zip_filename)
|
|
return zip_archiver.copy_from_archive(self.archiver)
|