mirror of
https://github.com/maxdorninger/MediaManager.git
synced 2026-04-21 16:25:36 +02:00
**Description** As explained on #322, MediaManager currently only matches torrents that represent full seasons or season packs. As a result, valid episode-based releases — commonly returned by indexers such as EZTV — are filtered out during scoring and never considered for download. Initial changes to the season parsing logic allow these torrents to be discovered. However, additional changes are required beyond season parsing to properly support single-episode imports. This PR is intended as a work-in-progress / RFC to discuss the required changes and align on the correct approach before completing the implementation. **Things planned to do** [X] Update Web UI to better display episode-level details [ ] Update TV show import logic to handle single episode files, instead of assuming full season files (to avoid integrity errors when episodes are missing) [ ] Create episode file tables to store episode-level data, similar to season files [ ] Implement fetching and downloading logic for single-episode torrents **Notes / current limitations** At the moment, the database and import logic assume one file per season per quality, which works for season packs but not for episode-based releases. These changes are intentionally not completed yet and are part of the discussion this PR aims to start. **Request for feedback** This represents a significant change in how TV content is handled in MediaManager. Before proceeding further, feedback from @maxdorninger on the overall direction and next steps would be greatly appreciated. Once aligned, the remaining tasks can be implemented incrementally. --------- Co-authored-by: Maximilian Dorninger <97409287+maxdorninger@users.noreply.github.com> Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com>
135 lines
3.8 KiB
Python
135 lines
3.8 KiB
Python
import re
|
|
import typing
|
|
from uuid import UUID, uuid4
|
|
|
|
import pydantic
|
|
from pydantic import BaseModel, ConfigDict, computed_field
|
|
|
|
from media_manager.torrent.models import Quality
|
|
|
|
IndexerQueryResultId = typing.NewType("IndexerQueryResultId", UUID)
|
|
|
|
|
|
class IndexerQueryResult(BaseModel):
|
|
model_config = ConfigDict(from_attributes=True)
|
|
|
|
id: IndexerQueryResultId = pydantic.Field(
|
|
default_factory=lambda: IndexerQueryResultId(uuid4())
|
|
)
|
|
title: str
|
|
download_url: str = pydantic.Field(
|
|
exclude=True,
|
|
description="This can be a magnet link or URL to the .torrent file",
|
|
)
|
|
seeders: int
|
|
flags: list[str]
|
|
size: int
|
|
|
|
usenet: bool
|
|
age: int
|
|
|
|
score: int = 0
|
|
|
|
indexer: str | None
|
|
|
|
@computed_field
|
|
@property
|
|
def quality(self) -> Quality:
|
|
high_quality_pattern = r"\b(4k)\b"
|
|
medium_quality_pattern = r"\b(1080p)\b"
|
|
low_quality_pattern = r"\b(720p)\b"
|
|
very_low_quality_pattern = r"\b(480p|360p)\b"
|
|
|
|
if re.search(high_quality_pattern, self.title, re.IGNORECASE):
|
|
return Quality.uhd
|
|
if re.search(medium_quality_pattern, self.title, re.IGNORECASE):
|
|
return Quality.fullhd
|
|
if re.search(low_quality_pattern, self.title, re.IGNORECASE):
|
|
return Quality.hd
|
|
if re.search(very_low_quality_pattern, self.title, re.IGNORECASE):
|
|
return Quality.sd
|
|
|
|
return Quality.unknown
|
|
|
|
@computed_field
|
|
@property
|
|
def season(self) -> list[int]:
|
|
title = self.title.lower()
|
|
|
|
# 1) S01E01 / S1E2
|
|
m = re.search(r"s(\d{1,2})e\d{1,3}", title)
|
|
if m:
|
|
return [int(m.group(1))]
|
|
|
|
# 2) Range S01-S03 / S1-S3
|
|
m = re.search(r"s(\d{1,2})\s*(?:-|\u2013)\s*s?(\d{1,2})", title)
|
|
if m:
|
|
start, end = int(m.group(1)), int(m.group(2))
|
|
if start <= end:
|
|
return list(range(start, end + 1))
|
|
return []
|
|
|
|
# 3) Pack S01 / S1
|
|
m = re.search(r"\bs(\d{1,2})\b", title)
|
|
if m:
|
|
return [int(m.group(1))]
|
|
|
|
# 4) Season 01 / Season 1
|
|
m = re.search(r"\bseason\s*(\d{1,2})\b", title)
|
|
if m:
|
|
return [int(m.group(1))]
|
|
|
|
return []
|
|
|
|
@computed_field(return_type=list[int])
|
|
@property
|
|
def episode(self) -> list[int]:
|
|
title = self.title.lower()
|
|
result: list[int] = []
|
|
|
|
pattern = r"s\d{1,2}e(\d{1,3})(?:\s*-\s*(?:s?\d{1,2}e)?(\d{1,3}))?"
|
|
match = re.search(pattern, title)
|
|
|
|
if not match:
|
|
return result
|
|
|
|
start = int(match.group(1))
|
|
end = match.group(2)
|
|
|
|
if end:
|
|
end = int(end)
|
|
if end >= start:
|
|
result = list(range(start, end + 1))
|
|
else:
|
|
result = [start]
|
|
|
|
return result
|
|
|
|
def __gt__(self, other: "IndexerQueryResult") -> bool:
|
|
if self.quality.value != other.quality.value:
|
|
return self.quality.value < other.quality.value
|
|
if self.score != other.score:
|
|
return self.score > other.score
|
|
if self.usenet != other.usenet:
|
|
return self.usenet
|
|
if self.usenet and other.usenet:
|
|
return self.age > other.age
|
|
if not self.usenet and not other.usenet:
|
|
return self.seeders > other.seeders
|
|
|
|
return self.size < other.size
|
|
|
|
def __lt__(self, other: "IndexerQueryResult") -> bool:
|
|
if self.quality.value != other.quality.value:
|
|
return self.quality.value > other.quality.value
|
|
if self.score != other.score:
|
|
return self.score < other.score
|
|
if self.usenet != other.usenet:
|
|
return not self.usenet
|
|
if self.usenet and other.usenet:
|
|
return self.age < other.age
|
|
if not self.usenet and not other.usenet:
|
|
return self.seeders < other.seeders
|
|
|
|
return self.size > other.size
|