You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
Plex-Meta-Manager/modules/tvdb.py

156 lines
7.5 KiB

import logging, requests, time
4 years ago
from modules import util
from modules.util import Failed
logger = logging.getLogger("Plex Meta Manager")
3 years ago
builders = ["tvdb_list", "tvdb_list_details", "tvdb_movie", "tvdb_movie_details", "tvdb_show", "tvdb_show_details"]
base_url = "https://www.thetvdb.com"
alt_url = "https://thetvdb.com"
urls = {
3 years ago
"list": f"{base_url}/lists/", "alt_list": f"{alt_url}/lists/",
"series": f"{base_url}/series/", "alt_series": f"{alt_url}/series/",
"movies": f"{base_url}/movies/", "alt_movies": f"{alt_url}/movies/",
"series_id": f"{base_url}/dereferrer/series/", "movie_id": f"{base_url}/dereferrer/movie/"
}
4 years ago
class TVDbObj:
def __init__(self, tvdb_url, language, is_movie, config):
self.tvdb_url = tvdb_url.strip()
self.language = language
self.is_movie = is_movie
self.config = config
if not self.is_movie and self.tvdb_url.startswith((urls["series"], urls["alt_series"], urls["series_id"])):
4 years ago
self.media_type = "Series"
elif self.is_movie and self.tvdb_url.startswith((urls["movies"], urls["alt_movies"], urls["movie_id"])):
4 years ago
self.media_type = "Movie"
else:
raise Failed(f"TVDb Error: {self.tvdb_url} must begin with {urls['movies'] if self.is_movie else urls['series']}")
4 years ago
response = self.config.get_html(self.tvdb_url, headers=util.header(self.language))
results = response.xpath(f"//*[text()='TheTVDB.com {self.media_type} ID']/parent::node()/span/text()")
4 years ago
if len(results) > 0:
self.id = int(results[0])
elif self.tvdb_url.startswith(urls["movie_id"]):
raise Failed(f"TVDb Error: Could not find a TVDb Movie using TVDb Movie ID: {self.tvdb_url[len(urls['movie_id']):]}")
elif self.tvdb_url.startswith(urls["series_id"]):
raise Failed(f"TVDb Error: Could not find a TVDb Series using TVDb Series ID: {self.tvdb_url[len(urls['series_id']):]}")
4 years ago
else:
raise Failed(f"TVDb Error: Could not find a TVDb {self.media_type} ID at the URL {self.tvdb_url}")
4 years ago
4 years ago
results = response.xpath("//div[@class='change_translation_text' and @data-language='eng']/@data-title")
4 years ago
if len(results) > 0 and len(results[0]) > 0:
self.title = results[0]
else:
raise Failed(f"TVDb Error: Name not found from TVDb URL: {self.tvdb_url}")
4 years ago
4 years ago
results = response.xpath("//div[@class='row hidden-xs hidden-sm']/div/img/@src")
4 years ago
self.poster_path = results[0] if len(results) > 0 and len(results[0]) > 0 else None
results = response.xpath("(//h2[@class='mt-4' and text()='Backgrounds']/following::div/a/@href)[1]")
self.background_path = results[0] if len(results) > 0 and len(results[0]) > 0 else None
results = response.xpath("//div[@class='block']/div[not(@style='display:none')]/p/text()")
self.summary = results[0] if len(results) > 0 and len(results[0]) > 0 else None
4 years ago
tmdb_id = None
if self.is_movie:
4 years ago
results = response.xpath("//*[text()='TheMovieDB.com']/@href")
4 years ago
if len(results) > 0:
try:
tmdb_id = util.regex_first_int(results[0], "TMDb ID")
except Failed:
pass
if tmdb_id is None:
4 years ago
results = response.xpath("//*[text()='IMDB']/@href")
4 years ago
if len(results) > 0:
try:
tmdb_id = self.config.Convert.imdb_to_tmdb(util.get_id_from_imdb_url(results[0]), fail=True)
except Failed:
pass
if tmdb_id is None:
raise Failed(f"TVDB Error: No TMDb ID found for {self.title}")
4 years ago
self.tmdb_id = tmdb_id
3 years ago
class TVDb:
4 years ago
def __init__(self, config):
self.config = config
4 years ago
def get_item(self, language, tvdb_url, is_movie):
return self.get_movie(language, tvdb_url) if is_movie else self.get_series(language, tvdb_url)
def get_series(self, language, tvdb_url):
try:
tvdb_url = f"{urls['series_id']}{int(tvdb_url)}"
except ValueError:
pass
return TVDbObj(tvdb_url, language, False, self.config)
4 years ago
def get_movie(self, language, tvdb_url):
try:
tvdb_url = f"{urls['movie_id']}{int(tvdb_url)}"
except ValueError:
pass
return TVDbObj(tvdb_url, language, True, self.config)
4 years ago
def get_list_description(self, tvdb_url, language):
response = self.config.get_html(tvdb_url, headers=util.header(language))
description = response.xpath("//div[@class='block']/div[not(@style='display:none')]/p/text()")
return description[0] if len(description) > 0 and len(description[0]) > 0 else ""
4 years ago
def _ids_from_url(self, tvdb_url, language):
4 years ago
show_ids = []
movie_ids = []
tvdb_url = tvdb_url.strip()
if tvdb_url.startswith((urls["list"], urls["alt_list"])):
4 years ago
try:
response = self.config.get_html(tvdb_url, headers=util.header(language))
items = response.xpath("//div[@class='col-xs-12 col-sm-12 col-md-8 col-lg-8 col-md-pull-4']/div[@class='row']")
4 years ago
for item in items:
title = item.xpath(".//div[@class='col-xs-12 col-sm-9 mt-2']//a/text()")[0]
item_url = item.xpath(".//div[@class='col-xs-12 col-sm-9 mt-2']//a/@href")[0]
if item_url.startswith("/series/"):
try:
show_ids.append(self.get_series(language, f"{base_url}{item_url}").id)
except Failed as e:
logger.error(f"{e} for series {title}")
4 years ago
elif item_url.startswith("/movies/"):
try:
tmdb_id = self.get_movie(language, f"{base_url}{item_url}").tmdb_id
if tmdb_id:
movie_ids.append(tmdb_id)
else:
raise Failed(f"TVDb Error: TMDb ID not found from TVDb URL: {tvdb_url}")
4 years ago
except Failed as e:
logger.error(f"{e} for series {title}")
4 years ago
else:
logger.error(f"TVDb Error: Skipping Movie: {title}")
time.sleep(2)
4 years ago
if len(show_ids) > 0 or len(movie_ids) > 0:
return movie_ids, show_ids
raise Failed(f"TVDb Error: No TVDb IDs found at {tvdb_url}")
4 years ago
except requests.exceptions.MissingSchema:
4 years ago
util.print_stacktrace()
raise Failed(f"TVDb Error: URL Lookup Failed for {tvdb_url}")
4 years ago
else:
raise Failed(f"TVDb Error: {tvdb_url} must begin with {urls['list']}")
4 years ago
def get_items(self, method, data, language):
4 years ago
show_ids = []
movie_ids = []
if method == "tvdb_show":
3 years ago
logger.info(f"Processing TVDb Show: {data}")
show_ids.append(self.get_series(language, data).id)
4 years ago
elif method == "tvdb_movie":
3 years ago
logger.info(f"Processing TVDb Movie: {data}")
movie_ids.append(self.get_movie(language, data).tmdb_id)
4 years ago
elif method == "tvdb_list":
3 years ago
logger.info(f"Processing TVDb List: {data}")
movie_ids, show_ids = self._ids_from_url(data, language)
4 years ago
else:
raise Failed(f"TVDb Error: Method {method} not supported")
logger.debug("")
3 years ago
logger.debug(f"{len(movie_ids)} TMDb IDs Found: {movie_ids}")
logger.debug(f"{len(show_ids)} TVDb IDs Found: {show_ids}")
4 years ago
return movie_ids, show_ids