mirror of
https://github.com/Wojtek242/qobuz-dl.git
synced 2024-11-22 11:05:25 +01:00
added support for other types of links
This commit is contained in:
parent
bf444dc335
commit
7987653b32
@ -21,7 +21,8 @@ WEB_URL = "https://play.qobuz.com/"
|
|||||||
ARTISTS_SELECTOR = "td.chartlist-artist > a"
|
ARTISTS_SELECTOR = "td.chartlist-artist > a"
|
||||||
TITLE_SELECTOR = "td.chartlist-name > a"
|
TITLE_SELECTOR = "td.chartlist-name > a"
|
||||||
EXTENSIONS = (".mp3", ".flac")
|
EXTENSIONS = (".mp3", ".flac")
|
||||||
QUALITIES = {5: "5 - MP3", 6: "6 - FLAC", 7: "7 - 24B<96kHz", 27: "27 - 24B>96kHz"}
|
QUALITIES = {5: "5 - MP3", 6: "6 - FLAC",
|
||||||
|
7: "7 - 24B<96kHz", 27: "27 - 24B>96kHz"}
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
@ -32,7 +33,8 @@ class PartialFormatter(string.Formatter):
|
|||||||
|
|
||||||
def get_field(self, field_name, args, kwargs):
|
def get_field(self, field_name, args, kwargs):
|
||||||
try:
|
try:
|
||||||
val = super(PartialFormatter, self).get_field(field_name, args, kwargs)
|
val = super(PartialFormatter, self).get_field(field_name,
|
||||||
|
args, kwargs)
|
||||||
except (KeyError, AttributeError):
|
except (KeyError, AttributeError):
|
||||||
val = None, field_name
|
val = None, field_name
|
||||||
return val
|
return val
|
||||||
@ -95,12 +97,29 @@ class QobuzDL:
|
|||||||
|
|
||||||
def get_id(self, url):
|
def get_id(self, url):
|
||||||
return re.match(
|
return re.match(
|
||||||
r"https?://(?:w{0,3}|play|open)\.qobuz\.com/(?:(?:album|track|artist"
|
r"https?://(?:w{0,3}|play|open)\.qobuz\.com/(?:(?:album|track"
|
||||||
r"|playlist|label)/|[a-z]{2}-[a-z]{2}/album/-?\w+(?:-\w+)*-?/|user/"
|
r"|artist|playlist|label)/|[a-z]{2}-[a-z]{2}/album/-?\w+(?:-\w+)*"
|
||||||
r"library/favorites/)(\w+)",
|
r"-?/|user/library/favorites/)(\w+)",
|
||||||
url,
|
url,
|
||||||
).group(1)
|
).group(1)
|
||||||
|
|
||||||
|
def get_type(self, url):
|
||||||
|
if re.match(r'https?', url) is not None:
|
||||||
|
url_type = url.split('/')[3]
|
||||||
|
if url_type not in ['album', 'artist', 'playlist',
|
||||||
|
'track', 'label']:
|
||||||
|
if url_type == "user":
|
||||||
|
url_type = url.split('/')[-1]
|
||||||
|
else:
|
||||||
|
# url is from Qobuz store
|
||||||
|
# e.g. "https://www.qobuz.com/us-en/album/..."
|
||||||
|
url_type = url.split('/')[4]
|
||||||
|
else:
|
||||||
|
# url missing base
|
||||||
|
# e.g. "/us-en/album/{artist}/{id}"
|
||||||
|
url_type = url.split('/')[2]
|
||||||
|
return url_type
|
||||||
|
|
||||||
def download_from_id(self, item_id, album=True, alt_path=None):
|
def download_from_id(self, item_id, album=True, alt_path=None):
|
||||||
if handle_download_id(self.downloads_db, item_id, add_id=False):
|
if handle_download_id(self.downloads_db, item_id, add_id=False):
|
||||||
logger.info(
|
logger.info(
|
||||||
@ -144,24 +163,27 @@ class QobuzDL:
|
|||||||
"track": {"album": False, "func": None, "iterable_key": None},
|
"track": {"album": False, "func": None, "iterable_key": None},
|
||||||
}
|
}
|
||||||
try:
|
try:
|
||||||
url_type = url.split("/")[3]
|
url_type = self.get_type(url)
|
||||||
type_dict = possibles[url_type]
|
type_dict = possibles[url_type]
|
||||||
item_id = self.get_id(url)
|
item_id = self.get_id(url)
|
||||||
except (KeyError, IndexError):
|
except (KeyError, IndexError):
|
||||||
logger.info(
|
logger.info(
|
||||||
f'{RED}Invalid url: "{url}". Use urls from https://play.qobuz.com!'
|
f'{RED}Invalid url: "{url}". Use urls from '
|
||||||
|
'https://play.qobuz.com!'
|
||||||
)
|
)
|
||||||
return
|
return
|
||||||
if type_dict["func"]:
|
if type_dict["func"]:
|
||||||
content = [item for item in type_dict["func"](item_id)]
|
content = [item for item in type_dict["func"](item_id)]
|
||||||
content_name = content[0]["name"]
|
content_name = content[0]["name"]
|
||||||
logger.info(
|
logger.info(
|
||||||
f"{YELLOW}Downloading all the music from {content_name} ({url_type})!"
|
f"{YELLOW}Downloading all the music from {content_name} "
|
||||||
|
f"({url_type})!"
|
||||||
)
|
)
|
||||||
new_path = self.create_dir(
|
new_path = self.create_dir(
|
||||||
os.path.join(self.directory, sanitize_filename(content_name))
|
os.path.join(self.directory, sanitize_filename(content_name))
|
||||||
)
|
)
|
||||||
items = [item[type_dict["iterable_key"]]["items"] for item in content][0]
|
items = [item[type_dict["iterable_key"]]["items"]
|
||||||
|
for item in content][0]
|
||||||
logger.info(f"{YELLOW}{len(items)} downloads in queue")
|
logger.info(f"{YELLOW}{len(items)} downloads in queue")
|
||||||
for item in items:
|
for item in items:
|
||||||
self.download_from_id(
|
self.download_from_id(
|
||||||
@ -210,9 +232,11 @@ class QobuzDL:
|
|||||||
|
|
||||||
logger.info(
|
logger.info(
|
||||||
f'{YELLOW}Searching {self.lucky_type}s for "{query}".\n'
|
f'{YELLOW}Searching {self.lucky_type}s for "{query}".\n'
|
||||||
f"{YELLOW}qobuz-dl will attempt to download the first {self.lucky_limit} results."
|
f"{YELLOW}qobuz-dl will attempt to download the first "
|
||||||
|
f"{self.lucky_limit} results."
|
||||||
)
|
)
|
||||||
results = self.search_by_type(query, self.lucky_type, self.lucky_limit, True)
|
results = self.search_by_type(query, self.lucky_type,
|
||||||
|
self.lucky_limit, True)
|
||||||
|
|
||||||
if download:
|
if download:
|
||||||
self.download_list_of_urls(results)
|
self.download_list_of_urls(results)
|
||||||
@ -275,7 +299,8 @@ class QobuzDL:
|
|||||||
)
|
)
|
||||||
|
|
||||||
url = "{}{}/{}".format(WEB_URL, item_type, i.get("id", ""))
|
url = "{}{}/{}".format(WEB_URL, item_type, i.get("id", ""))
|
||||||
item_list.append({"text": text, "url": url} if not lucky else url)
|
item_list.append({"text": text, "url": url} if not lucky
|
||||||
|
else url)
|
||||||
return item_list
|
return item_list
|
||||||
except (KeyError, IndexError):
|
except (KeyError, IndexError):
|
||||||
logger.info(f"{RED}Invalid type: {item_type}")
|
logger.info(f"{RED}Invalid type: {item_type}")
|
||||||
@ -287,7 +312,8 @@ class QobuzDL:
|
|||||||
except (ImportError, ModuleNotFoundError):
|
except (ImportError, ModuleNotFoundError):
|
||||||
if os.name == "nt":
|
if os.name == "nt":
|
||||||
sys.exit(
|
sys.exit(
|
||||||
'Please install curses with "pip3 install windows-curses" to continue'
|
'Please install curses with '
|
||||||
|
'"pip3 install windows-curses" to continue'
|
||||||
)
|
)
|
||||||
raise
|
raise
|
||||||
|
|
||||||
@ -306,13 +332,15 @@ class QobuzDL:
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
item_types = ["Albums", "Tracks", "Artists", "Playlists"]
|
item_types = ["Albums", "Tracks", "Artists", "Playlists"]
|
||||||
selected_type = pick(item_types, "I'll search for:\n[press Intro]")[0][
|
selected_type = pick(item_types,
|
||||||
:-1
|
"I'll search for:\n[press Intro]"
|
||||||
].lower()
|
)[0][:-1].lower()
|
||||||
logger.info(f"{YELLOW}Ok, we'll search for {selected_type}s{RESET}")
|
logger.info(f"{YELLOW}Ok, we'll search for "
|
||||||
|
f"{selected_type}s{RESET}")
|
||||||
final_url_list = []
|
final_url_list = []
|
||||||
while True:
|
while True:
|
||||||
query = input(f"{CYAN}Enter your search: [Ctrl + c to quit]\n-{DF} ")
|
query = input(f"{CYAN}Enter your search: [Ctrl + c to quit]\n"
|
||||||
|
f"-{DF} ")
|
||||||
logger.info(f"{YELLOW}Searching...{RESET}")
|
logger.info(f"{YELLOW}Searching...{RESET}")
|
||||||
options = self.search_by_type(
|
options = self.search_by_type(
|
||||||
query, selected_type, self.interactive_limit
|
query, selected_type, self.interactive_limit
|
||||||
@ -334,10 +362,12 @@ class QobuzDL:
|
|||||||
options_map_func=get_title_text,
|
options_map_func=get_title_text,
|
||||||
)
|
)
|
||||||
if len(selected_items) > 0:
|
if len(selected_items) > 0:
|
||||||
[final_url_list.append(i[0]["url"]) for i in selected_items]
|
[final_url_list.append(i[0]["url"])
|
||||||
|
for i in selected_items]
|
||||||
y_n = pick(
|
y_n = pick(
|
||||||
["Yes", "No"],
|
["Yes", "No"],
|
||||||
"Items were added to queue to be downloaded. Keep searching?",
|
"Items were added to queue to be downloaded. "
|
||||||
|
"Keep searching?",
|
||||||
)
|
)
|
||||||
if y_n[0][0] == "N":
|
if y_n[0][0] == "N":
|
||||||
break
|
break
|
||||||
@ -347,7 +377,8 @@ class QobuzDL:
|
|||||||
if final_url_list:
|
if final_url_list:
|
||||||
desc = (
|
desc = (
|
||||||
"Select [intro] the quality (the quality will "
|
"Select [intro] the quality (the quality will "
|
||||||
"be automatically\ndowngraded if the selected is not found)"
|
"be automatically\ndowngraded if the selected "
|
||||||
|
"is not found)"
|
||||||
)
|
)
|
||||||
self.quality = pick(
|
self.quality = pick(
|
||||||
qualities,
|
qualities,
|
||||||
@ -389,11 +420,13 @@ class QobuzDL:
|
|||||||
pl_title = sanitize_filename(soup.select_one("h1").text)
|
pl_title = sanitize_filename(soup.select_one("h1").text)
|
||||||
pl_directory = os.path.join(self.directory, pl_title)
|
pl_directory = os.path.join(self.directory, pl_title)
|
||||||
logger.info(
|
logger.info(
|
||||||
f"{YELLOW}Downloading playlist: {pl_title} ({len(track_list)} tracks)"
|
f"{YELLOW}Downloading playlist: {pl_title} "
|
||||||
|
f"({len(track_list)} tracks)"
|
||||||
)
|
)
|
||||||
|
|
||||||
for i in track_list:
|
for i in track_list:
|
||||||
track_id = self.get_id(self.search_by_type(i, "track", 1, lucky=True)[0])
|
track_id = self.get_id(self.search_by_type(i, "track", 1,
|
||||||
|
lucky=True)[0])
|
||||||
if track_id:
|
if track_id:
|
||||||
self.download_from_id(track_id, False, pl_directory)
|
self.download_from_id(track_id, False, pl_directory)
|
||||||
|
|
||||||
@ -410,7 +443,9 @@ class QobuzDL:
|
|||||||
dirs.sort()
|
dirs.sort()
|
||||||
audio_rel_files = [
|
audio_rel_files = [
|
||||||
# os.path.abspath(os.path.join(local, file_))
|
# os.path.abspath(os.path.join(local, file_))
|
||||||
# os.path.join(rel_folder, os.path.basename(os.path.normpath(local)), file_)
|
# os.path.join(rel_folder,
|
||||||
|
# os.path.basename(os.path.normpath(local)),
|
||||||
|
# file_)
|
||||||
os.path.join(os.path.basename(os.path.normpath(local)), file_)
|
os.path.join(os.path.basename(os.path.normpath(local)), file_)
|
||||||
for file_ in files
|
for file_ in files
|
||||||
if os.path.splitext(file_)[-1] in EXTENSIONS
|
if os.path.splitext(file_)[-1] in EXTENSIONS
|
||||||
@ -423,7 +458,8 @@ class QobuzDL:
|
|||||||
if not audio_files or len(audio_files) != len(audio_rel_files):
|
if not audio_files or len(audio_files) != len(audio_rel_files):
|
||||||
continue
|
continue
|
||||||
|
|
||||||
for audio_rel_file, audio_file in zip(audio_rel_files, audio_files):
|
for audio_rel_file, audio_file in zip(audio_rel_files,
|
||||||
|
audio_files):
|
||||||
try:
|
try:
|
||||||
pl_item = (
|
pl_item = (
|
||||||
EasyMP3(audio_file)
|
EasyMP3(audio_file)
|
||||||
|
@ -44,14 +44,6 @@ def tag_flac(filename, root_dir, final_name, d, album,
|
|||||||
:param bool istrack
|
:param bool istrack
|
||||||
:param bool em_image: Embed cover art into file
|
:param bool em_image: Embed cover art into file
|
||||||
"""
|
"""
|
||||||
print('in tag_flac d:')
|
|
||||||
# print(json.dumps(d.keys(), indent=2))
|
|
||||||
# print(d.keys())
|
|
||||||
print('album:')
|
|
||||||
# print(album.keys())
|
|
||||||
# print(json.dumps(album.keys(), indent=2))
|
|
||||||
print(f'{filename=}')
|
|
||||||
print(f'{istrack=}')
|
|
||||||
audio = FLAC(filename)
|
audio = FLAC(filename)
|
||||||
|
|
||||||
audio["TITLE"] = get_title(d)
|
audio["TITLE"] = get_title(d)
|
||||||
@ -190,13 +182,10 @@ def tag_mp3(filename, root_dir, final_name, d, album,
|
|||||||
audio['TPOS'] = id3.TPOS(encoding=3,
|
audio['TPOS'] = id3.TPOS(encoding=3,
|
||||||
text=str(d["media_number"]))
|
text=str(d["media_number"]))
|
||||||
|
|
||||||
def lookup_and_set_tags(tag_name, value):
|
|
||||||
id3tag = id3_legend[tag_name]
|
|
||||||
audio[id3tag.__name__] = id3tag(encoding=3, text=value)
|
|
||||||
|
|
||||||
# write metadata in `tags` to file
|
# write metadata in `tags` to file
|
||||||
for k, v in tags.items():
|
for k, v in tags.items():
|
||||||
lookup_and_set_tags(k, v)
|
id3tag = id3_legend[k]
|
||||||
|
audio[id3tag.__name__] = id3tag(encoding=3, text=v)
|
||||||
|
|
||||||
if em_image:
|
if em_image:
|
||||||
emb_image = os.path.join(root_dir, "cover.jpg")
|
emb_image = os.path.join(root_dir, "cover.jpg")
|
||||||
|
Loading…
Reference in New Issue
Block a user