manga-dlp/mangadlp/api/mangadex.py

273 lines
9.8 KiB
Python
Raw Normal View History

import re
import sys
from time import sleep
import requests
2022-07-22 21:11:01 +02:00
from mangadlp import utils
2022-07-15 14:04:22 +02:00
from mangadlp.logger import Logger
2022-05-04 19:17:12 +02:00
2022-07-15 12:49:49 +02:00
# prepare logger
2022-07-15 14:04:22 +02:00
log = Logger(__name__)
2022-07-15 12:49:49 +02:00
2022-05-04 19:17:12 +02:00
class Mangadex:
2022-07-22 21:11:01 +02:00
"""Mangadex API Class.
Get infos for a manga from mangadex.org
Args:
url_uuid (str): URL or UUID of the manga
language (str): Manga language with country codes. "en" --> english
forcevol (bool): Force naming of volumes. Useful for mangas where chapters reset each volume
Attributes:
manga_uuid (str): UUID of the manga, without the url part
manga_data (dict): Infos of the manga. Name, title etc
manga_title (str): The title of the manga, sanitized for all filesystems
manga_chapter_data (dict): All chapter data of the manga. Volumes, chapters, chapter uuids and chapter names
chapter_list (list): A list of all available chapters for the language
"""
2022-05-04 19:17:12 +02:00
# api information
api_base_url = "https://api.mangadex.org"
img_base_url = "https://uploads.mangadex.org"
2022-05-17 13:32:50 +02:00
# get infos to initiate class
2022-07-06 22:19:40 +02:00
def __init__(self, url_uuid: str, language: str, forcevol: bool):
2022-05-04 19:17:12 +02:00
# static info
2022-08-13 18:52:32 +02:00
self.api_name = "Mangadex"
2022-05-13 22:34:25 +02:00
self.url_uuid = url_uuid
self.language = language
self.forcevol = forcevol
# api stuff
self.api_content_ratings = "contentRating[]=safe&contentRating[]=suggestive&contentRating[]=erotica&contentRating[]=pornographic"
2022-05-13 22:34:25 +02:00
self.api_language = f"translatedLanguage[]={self.language}"
self.api_additions = f"{self.api_language}&{self.api_content_ratings}"
2022-05-04 19:17:12 +02:00
# infos from functions
self.manga_uuid = self.get_manga_uuid()
self.manga_data = self.get_manga_data()
2022-05-04 19:17:12 +02:00
self.manga_title = self.get_manga_title()
self.manga_chapter_data = self.get_chapter_data()
2022-05-16 16:09:17 +02:00
self.chapter_list = self.create_chapter_list()
2022-05-04 19:17:12 +02:00
# make initial request
2022-07-22 21:11:01 +02:00
def get_manga_data(self) -> dict:
2022-07-15 14:04:22 +02:00
log.verbose(f"Getting manga data for: {self.manga_uuid}")
counter = 1
while counter <= 3:
try:
manga_data = requests.get(
f"{self.api_base_url}/manga/{self.manga_uuid}"
)
2022-07-21 20:39:56 +02:00
except Exception:
if counter >= 3:
2022-07-15 12:49:49 +02:00
log.error("Maybe the MangaDex API is down?")
sys.exit(1)
else:
2022-07-15 12:49:49 +02:00
log.error("Mangadex API not reachable. Retrying")
sleep(2)
counter += 1
else:
break
# check if manga exists
if manga_data.json()["result"] != "ok":
2022-07-15 12:49:49 +02:00
log.error("Manga not found")
sys.exit(1)
2022-07-22 21:11:01 +02:00
return manga_data.json()
2022-05-04 19:17:12 +02:00
# get the uuid for the manga
def get_manga_uuid(self) -> str:
2022-05-04 19:17:12 +02:00
# isolate id from url
2022-07-22 21:11:01 +02:00
uuid_regex = re.compile(
2022-05-04 19:17:12 +02:00
"[a-z0-9]{8}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{12}"
)
2022-07-22 21:11:01 +02:00
# try to get uuid in string
try:
uuid = uuid_regex.search(self.url_uuid)[0] # type: ignore
except Exception:
2022-07-15 12:49:49 +02:00
log.error("No valid UUID found")
sys.exit(1)
2022-07-21 20:39:56 +02:00
2022-07-22 21:11:01 +02:00
return uuid
2022-05-04 19:17:12 +02:00
# get the title of the manga (and fix the filename)
def get_manga_title(self) -> str:
2022-07-15 14:04:22 +02:00
log.verbose(f"Getting manga title for: {self.manga_uuid}")
2022-07-22 21:11:01 +02:00
manga_data = self.manga_data
2022-05-04 19:17:12 +02:00
try:
2022-05-13 22:34:25 +02:00
title = manga_data["data"]["attributes"]["title"][self.language]
2022-07-21 20:39:56 +02:00
except Exception:
2022-05-04 19:17:12 +02:00
# search in alt titles
try:
alt_titles = {}
for title in manga_data["data"]["attributes"]["altTitles"]:
2022-05-04 19:17:12 +02:00
alt_titles.update(title)
2022-05-13 22:34:25 +02:00
title = alt_titles[self.language]
2022-07-21 20:39:56 +02:00
except Exception: # no title on requested language found
2022-07-15 12:49:49 +02:00
log.error("Chapter in requested language not found.")
sys.exit(1)
2022-07-21 20:39:56 +02:00
2022-05-04 19:17:12 +02:00
return utils.fix_name(title)
# check if chapters are available in requested language
def check_chapter_lang(self) -> int:
2022-07-15 14:04:22 +02:00
log.verbose(
f"Checking for chapters in specified language for: {self.manga_uuid}"
)
r = requests.get(
f"{self.api_base_url}/manga/{self.manga_uuid}/feed?limit=0&{self.api_additions}"
2022-05-04 19:17:12 +02:00
)
try:
total_chapters = r.json()["total"]
2022-07-21 20:39:56 +02:00
except Exception:
2022-07-15 12:49:49 +02:00
log.error(
2022-07-06 22:19:40 +02:00
"Error retrieving the chapters list. Did you specify a valid language code?"
2022-05-04 19:17:12 +02:00
)
return 0
else:
if total_chapters == 0:
2022-07-15 12:49:49 +02:00
log.error("No chapters available to download!")
return 0
return total_chapters
# get chapter data like name, uuid etc
def get_chapter_data(self) -> dict:
2022-07-15 14:04:22 +02:00
log.verbose(f"Getting chapter data for: {self.manga_uuid}")
api_sorting = "order[chapter]=asc&order[volume]=asc"
# check for chapters in specified lang
total_chapters = self.check_chapter_lang()
if total_chapters == 0:
sys.exit(1)
chapter_data = {}
last_chapter = ["", ""]
2022-05-04 19:17:12 +02:00
offset = 0
while offset < total_chapters: # if more than 500 chapters
r = requests.get(
f"{self.api_base_url}/manga/{self.manga_uuid}/feed?{api_sorting}&limit=500&offset={offset}&{self.api_additions}"
2022-05-04 19:17:12 +02:00
)
for chapter in r.json()["data"]:
2022-05-04 19:17:12 +02:00
# chapter infos from feed
chapter_num = chapter["attributes"]["chapter"]
chapter_vol = chapter["attributes"]["volume"]
chapter_uuid = chapter["id"]
chapter_name = chapter["attributes"]["title"]
chapter_external = chapter["attributes"]["externalUrl"]
# check for chapter title and fix it
if chapter_name is None:
chapter_name = "No Title"
else:
chapter_name = utils.fix_name(chapter_name)
2022-05-04 19:17:12 +02:00
# check if the chapter is external (can't download them)
if chapter_external is not None:
continue
2022-05-04 19:17:12 +02:00
# name chapter "oneshot" if there is no chapter number
if chapter_num is None:
chapter_num = "Oneshot"
# check if its duplicate from the last entry
if last_chapter[0] == chapter_vol and last_chapter[1] == chapter_num:
continue
# export chapter data as a dict
chapter_index = (
chapter_num if not self.forcevol else f"{chapter_vol}:{chapter_num}"
)
chapter_data[chapter_index] = [
chapter_uuid,
chapter_vol,
chapter_num,
chapter_name,
]
# add last chapter to duplicate check
last_chapter = [chapter_vol, chapter_num]
# increase offset for mangas with more than 500 chapters
2022-05-04 19:17:12 +02:00
offset += 500
return chapter_data
2022-05-04 19:17:12 +02:00
# get images for the chapter (mangadex@home)
def get_chapter_images(self, chapter: str, wait_time: float) -> list:
2022-07-15 14:04:22 +02:00
log.verbose(f"Getting chapter images for: {self.manga_uuid}")
2022-05-04 19:17:12 +02:00
athome_url = f"{self.api_base_url}/at-home/server"
chapter_uuid = self.manga_chapter_data[chapter][0]
# retry up to two times if the api applied ratelimits
api_error = False
counter = 1
while counter <= 3:
try:
r = requests.get(f"{athome_url}/{chapter_uuid}")
api_data = r.json()
if api_data["result"] != "ok":
2022-07-15 12:49:49 +02:00
log.error(f"No chapter with the id {chapter_uuid} found")
api_error = True
raise IndexError
2022-07-22 21:11:01 +02:00
if api_data["chapter"]["data"] is None:
2022-07-15 12:49:49 +02:00
log.error(f"No chapter data found for chapter {chapter_uuid}")
api_error = True
raise IndexError
2022-07-22 21:11:01 +02:00
# no error
api_error = False
break
2022-07-21 20:39:56 +02:00
except Exception:
if counter >= 3:
api_error = True
2022-07-21 20:39:56 +02:00
log.error("Retrying in a few seconds")
counter += 1
sleep(wait_time + 2)
# check if result is ok
else:
if api_error:
return []
2022-05-04 19:17:12 +02:00
chapter_hash = api_data["chapter"]["hash"]
chapter_img_data = api_data["chapter"]["data"]
# get list of image urls
image_urls = []
for image in chapter_img_data:
image_urls.append(f"{self.img_base_url}/data/{chapter_hash}/{image}")
2022-05-04 19:17:12 +02:00
sleep(wait_time)
2022-07-21 20:39:56 +02:00
return image_urls
2022-05-04 19:17:12 +02:00
# create list of chapters
def create_chapter_list(self) -> list:
2022-07-15 14:04:22 +02:00
log.verbose(f"Creating chapter list for: {self.manga_uuid}")
2022-05-04 19:17:12 +02:00
chapter_list = []
for chapter in self.manga_chapter_data.items():
chapter_info = self.get_chapter_infos(chapter[0])
chapter_number = chapter_info["chapter"]
volume_number = chapter_info["volume"]
if self.forcevol:
2022-05-04 19:17:12 +02:00
chapter_list.append(f"{volume_number}:{chapter_number}")
else:
chapter_list.append(chapter_number)
return chapter_list
# create easy to access chapter infos
def get_chapter_infos(self, chapter: str) -> dict:
2022-07-15 12:49:49 +02:00
log.debug(f"Getting chapter infos for: {self.manga_chapter_data[chapter][0]}")
chapter_uuid = self.manga_chapter_data[chapter][0]
chapter_vol = self.manga_chapter_data[chapter][1]
chapter_num = self.manga_chapter_data[chapter][2]
chapter_name = self.manga_chapter_data[chapter][3]
return {
"uuid": chapter_uuid,
"volume": chapter_vol,
"chapter": chapter_num,
"name": chapter_name,
}