mirror of
https://github.com/nathom/streamrip.git
synced 2025-05-14 07:04:51 -04:00
Tidal MQA get_file_url working
Also formatting
This commit is contained in:
parent
bbc08e45e4
commit
ead14afbbe
7 changed files with 129 additions and 66 deletions
8
setup.py
8
setup.py
|
@ -15,12 +15,12 @@ requirements = read_file("requirements.txt").strip().split()
|
||||||
setup(
|
setup(
|
||||||
name=pkg_name,
|
name=pkg_name,
|
||||||
version="0.2.2",
|
version="0.2.2",
|
||||||
author='Nathan',
|
author="Nathan",
|
||||||
author_email='nathanthomas707@gmail.com',
|
author_email="nathanthomas707@gmail.com",
|
||||||
keywords='lossless, hi-res, qobuz, tidal, deezer, audio, convert',
|
keywords="lossless, hi-res, qobuz, tidal, deezer, audio, convert",
|
||||||
description="A stream downloader for Qobuz, Tidal, and Deezer.",
|
description="A stream downloader for Qobuz, Tidal, and Deezer.",
|
||||||
long_description=read_file("README.md"),
|
long_description=read_file("README.md"),
|
||||||
long_description_content_type='text/markdown',
|
long_description_content_type="text/markdown",
|
||||||
install_requires=requirements,
|
install_requires=requirements,
|
||||||
py_modules=["streamrip"],
|
py_modules=["streamrip"],
|
||||||
entry_points={
|
entry_points={
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
import logging
|
import logging
|
||||||
from getpass import getpass
|
|
||||||
import os
|
import os
|
||||||
|
from getpass import getpass
|
||||||
|
|
||||||
import click
|
import click
|
||||||
|
|
||||||
|
@ -21,15 +21,13 @@ if not os.path.isdir(CACHE_DIR):
|
||||||
@click.group(invoke_without_command=True)
|
@click.group(invoke_without_command=True)
|
||||||
@click.option("-c", "--convert", metavar="CODEC")
|
@click.option("-c", "--convert", metavar="CODEC")
|
||||||
@click.option("-u", "--urls", metavar="URLS")
|
@click.option("-u", "--urls", metavar="URLS")
|
||||||
@click.option("-t", "--text", metavar='PATH')
|
@click.option("-t", "--text", metavar="PATH")
|
||||||
@click.option("-nd", "--no-db", is_flag=True)
|
@click.option("-nd", "--no-db", is_flag=True)
|
||||||
@click.option("--debug", is_flag=True)
|
@click.option("--debug", is_flag=True)
|
||||||
@click.option("--reset-config", is_flag=True)
|
@click.option("--reset-config", is_flag=True)
|
||||||
@click.pass_context
|
@click.pass_context
|
||||||
def cli(ctx, **kwargs):
|
def cli(ctx, **kwargs):
|
||||||
"""
|
""""""
|
||||||
|
|
||||||
"""
|
|
||||||
global config
|
global config
|
||||||
global core
|
global core
|
||||||
|
|
||||||
|
@ -53,10 +51,10 @@ def cli(ctx, **kwargs):
|
||||||
logger.debug(f"handling {kwargs['urls']}")
|
logger.debug(f"handling {kwargs['urls']}")
|
||||||
core.handle_urls(kwargs["urls"])
|
core.handle_urls(kwargs["urls"])
|
||||||
|
|
||||||
if kwargs['text'] is not None:
|
if kwargs["text"] is not None:
|
||||||
if os.path.isfile(kwargs['text']):
|
if os.path.isfile(kwargs["text"]):
|
||||||
logger.debug(f"Handling {kwargs['text']}")
|
logger.debug(f"Handling {kwargs['text']}")
|
||||||
core.handle_txt(kwargs['text'])
|
core.handle_txt(kwargs["text"])
|
||||||
else:
|
else:
|
||||||
click.secho(f"Text file {kwargs['text']} does not exist.")
|
click.secho(f"Text file {kwargs['text']} does not exist.")
|
||||||
|
|
||||||
|
@ -176,24 +174,24 @@ def discover(ctx, **kwargs):
|
||||||
|
|
||||||
|
|
||||||
@cli.command()
|
@cli.command()
|
||||||
@click.option("-o", "--open", is_flag=True, help='Open the config file')
|
@click.option("-o", "--open", is_flag=True, help="Open the config file")
|
||||||
@click.option("-q", "--qobuz", is_flag=True, help='Set Qobuz credentials')
|
@click.option("-q", "--qobuz", is_flag=True, help="Set Qobuz credentials")
|
||||||
@click.option("-t", "--tidal", is_flag=True, help='Set Tidal credentials')
|
@click.option("-t", "--tidal", is_flag=True, help="Set Tidal credentials")
|
||||||
@click.pass_context
|
@click.pass_context
|
||||||
def config(ctx, **kwargs):
|
def config(ctx, **kwargs):
|
||||||
"""Manage the streamrip configuration."""
|
"""Manage the streamrip configuration."""
|
||||||
|
|
||||||
if kwargs['open']:
|
if kwargs["open"]:
|
||||||
click.launch(CONFIG_PATH)
|
click.launch(CONFIG_PATH)
|
||||||
|
|
||||||
if kwargs['qobuz']:
|
if kwargs["qobuz"]:
|
||||||
config.file['qobuz']['email'] = input("Qobuz email: ")
|
config.file["qobuz"]["email"] = input("Qobuz email: ")
|
||||||
config.file['qobuz']['password'] = getpass()
|
config.file["qobuz"]["password"] = getpass()
|
||||||
config.save()
|
config.save()
|
||||||
|
|
||||||
if kwargs['tidal']:
|
if kwargs["tidal"]:
|
||||||
config.file['tidal']['email'] = input("Tidal email: ")
|
config.file["tidal"]["email"] = input("Tidal email: ")
|
||||||
config.file['tidal']['password'] = getpass()
|
config.file["tidal"]["password"] = getpass()
|
||||||
config.save()
|
config.save()
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -1,12 +1,14 @@
|
||||||
import datetime
|
import datetime
|
||||||
import click
|
import base64
|
||||||
import hashlib
|
import hashlib
|
||||||
import logging
|
import logging
|
||||||
import os
|
import os
|
||||||
import time
|
import time
|
||||||
from abc import ABC, abstractmethod
|
from abc import ABC, abstractmethod
|
||||||
|
from pprint import pformat
|
||||||
from typing import Generator, Sequence, Tuple, Union
|
from typing import Generator, Sequence, Tuple, Union
|
||||||
|
|
||||||
|
import click
|
||||||
import requests
|
import requests
|
||||||
import tidalapi
|
import tidalapi
|
||||||
from dogpile.cache import make_region
|
from dogpile.cache import make_region
|
||||||
|
@ -35,11 +37,11 @@ region = make_region().configure(
|
||||||
arguments={"filename": os.path.join(CACHE_DIR, "clients.db")},
|
arguments={"filename": os.path.join(CACHE_DIR, "clients.db")},
|
||||||
)
|
)
|
||||||
|
|
||||||
TIDAL_BASE = 'https://api.tidalhifi.com/v1'
|
TIDAL_BASE = "https://api.tidalhifi.com/v1"
|
||||||
TIDAL_AUTH_URL = 'https://auth.tidal.com/v1/oauth2'
|
TIDAL_AUTH_URL = "https://auth.tidal.com/v1/oauth2"
|
||||||
TIDAL_CLIENT_INFO = {
|
TIDAL_CLIENT_INFO = {
|
||||||
'id': 'aR7gUaTK1ihpXOEP',
|
"id": "aR7gUaTK1ihpXOEP",
|
||||||
'secret': 'eVWBEkuL2FCjxgjOkR3yK0RYZEbcrMXRc2l8fU3ZCdE=',
|
"secret": "eVWBEkuL2FCjxgjOkR3yK0RYZEbcrMXRc2l8fU3ZCdE=",
|
||||||
}
|
}
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
@ -130,7 +132,7 @@ class QobuzClient(ClientInterface):
|
||||||
:type pwd: str
|
:type pwd: str
|
||||||
:param kwargs: app_id: str, secrets: list, return_secrets: bool
|
:param kwargs: app_id: str, secrets: list, return_secrets: bool
|
||||||
"""
|
"""
|
||||||
click.secho(f"Logging into {self.source}", fg='green')
|
click.secho(f"Logging into {self.source}", fg="green")
|
||||||
if self.logged_in:
|
if self.logged_in:
|
||||||
logger.debug("Already logged in")
|
logger.debug("Already logged in")
|
||||||
return
|
return
|
||||||
|
@ -430,7 +432,7 @@ class TidalClient(ClientInterface):
|
||||||
self.logged_in = False
|
self.logged_in = False
|
||||||
|
|
||||||
def login(self, email: str, pwd: str):
|
def login(self, email: str, pwd: str):
|
||||||
click.secho(f"Logging into {self.source}", fg='green')
|
click.secho(f"Logging into {self.source}", fg="green")
|
||||||
if self.logged_in:
|
if self.logged_in:
|
||||||
return
|
return
|
||||||
|
|
||||||
|
@ -544,62 +546,103 @@ class TidalMQAClient:
|
||||||
|
|
||||||
def get_device_code(self):
|
def get_device_code(self):
|
||||||
data = {
|
data = {
|
||||||
'client_id': TIDAL_CLIENT_INFO['id'],
|
"client_id": TIDAL_CLIENT_INFO["id"],
|
||||||
'scope': 'r_usr+w_usr+w_sub',
|
"scope": "r_usr+w_usr+w_sub",
|
||||||
}
|
}
|
||||||
r = requests.post(f"{TIDAL_AUTH_URL}/device_authorization", data)
|
resp = self._api_post(f"{TIDAL_AUTH_URL}/device_authorization", data)
|
||||||
r.raise_for_status()
|
|
||||||
|
|
||||||
resp = r.json()
|
if 'status' in resp and resp['status'] != 200:
|
||||||
self.device_code = resp['deviceCode']
|
raise Exception(f"Device authorization failed {resp}")
|
||||||
self.user_code = resp['userCode']
|
|
||||||
self.verification_url = resp['verificationUri']
|
logger.debug(pformat(resp))
|
||||||
self.expiry = resp['expiresIn']
|
self.device_code = resp["deviceCode"]
|
||||||
self.auth_interval = resp['interval']
|
self.user_code = resp["userCode"]
|
||||||
|
self.verification_url = resp["verificationUri"]
|
||||||
|
self.user_code_expiry = resp["expiresIn"]
|
||||||
|
self.auth_interval = resp["interval"]
|
||||||
|
|
||||||
def check_auth_status(self):
|
def check_auth_status(self):
|
||||||
data = {
|
data = {
|
||||||
'client_id': TIDAL_CLIENT_INFO['id'],
|
"client_id": TIDAL_CLIENT_INFO["id"],
|
||||||
'device_code': self.device_code,
|
"device_code": self.device_code,
|
||||||
'grant_type': 'urn:ietf:params:oauth:grant-type:device_code',
|
"grant_type": "urn:ietf:params:oauth:grant-type:device_code",
|
||||||
'scope': 'r_usr+w_usr+w_sub',
|
"scope": "r_usr+w_usr+w_sub",
|
||||||
}
|
}
|
||||||
logger.debug(data)
|
logger.debug(data)
|
||||||
r = requests.post(f"{TIDAL_AUTH_URL}/token", data=data, auth=(TIDAL_CLIENT_INFO['id'], TIDAL_CLIENT_INFO['secret']), verify=False).json()
|
resp = self._api_post(
|
||||||
logger.debug(r)
|
f"{TIDAL_AUTH_URL}/token",
|
||||||
|
data,
|
||||||
|
(TIDAL_CLIENT_INFO["id"], TIDAL_CLIENT_INFO["secret"]),
|
||||||
|
)
|
||||||
|
logger.debug(resp)
|
||||||
|
|
||||||
if r.get("status"):
|
if resp.get("status", 200) != 200:
|
||||||
if r['status'] != 200:
|
if resp["status"] == 400 and resp["sub_status"] == 1002:
|
||||||
if r['status'] == 400 and r['sub_status'] == 1002:
|
return 2
|
||||||
return 2
|
else:
|
||||||
else:
|
return 1
|
||||||
return 1
|
|
||||||
|
|
||||||
self.user_id = r['user']['userId']
|
self.user_id = resp["user"]["userId"]
|
||||||
self.country_code = r['user']['countryCode']
|
self.country_code = resp["user"]["countryCode"]
|
||||||
self.access_token = r['access_token']
|
self.access_token = resp["access_token"]
|
||||||
self.refresh_token = r['refresh_token']
|
self.refresh_token = resp["refresh_token"]
|
||||||
self.expires_in = r['expires_in']
|
self.access_token_expiry = resp["expires_in"]
|
||||||
return 0
|
return 0
|
||||||
|
|
||||||
def verify_access_token(self, token):
|
def verify_access_token(self, token):
|
||||||
headers = {
|
headers = {
|
||||||
'authorization': f"Bearer {token}",
|
"authorization": f"Bearer {token}",
|
||||||
}
|
}
|
||||||
r = requests.get('https://api.tidal.com/v1/sessions', headers=headers).json()
|
r = requests.get("https://api.tidal.com/v1/sessions", headers=headers).json()
|
||||||
if r.status != 200:
|
if r.status != 200:
|
||||||
raise Exception("Login failed")
|
raise Exception("Login failed")
|
||||||
|
|
||||||
return True
|
return True
|
||||||
|
|
||||||
def _api_request(self, path, params):
|
def refresh_access_token(self):
|
||||||
headers = {
|
data = {
|
||||||
'authorization': f"Bearer {self.access_token}"
|
"client_id": TIDAL_CLIENT_INFO["id"],
|
||||||
|
"refresh_token": self.refresh_token,
|
||||||
|
"grant_type": "refresh_token",
|
||||||
|
"scope": "r_usr+w_usr+w_sub",
|
||||||
}
|
}
|
||||||
params['countryCode'] = self.country_code
|
resp = self._api_post(
|
||||||
|
f"{TIDAL_AUTH_URL}/token",
|
||||||
|
data,
|
||||||
|
(TIDAL_CLIENT_INFO["id"], TIDAL_CLIENT_INFO["secret"]),
|
||||||
|
)
|
||||||
|
|
||||||
|
if resp.get("status") != 200:
|
||||||
|
raise Exception("Refresh failed")
|
||||||
|
|
||||||
|
self.user_id = resp["user"]["userId"]
|
||||||
|
self.country_code = resp["user"]["countryCode"]
|
||||||
|
self.access_token = resp["access_token"]
|
||||||
|
self.access_token_expiry = resp["expires_in"]
|
||||||
|
|
||||||
|
def login_by_access_token(self, token, user_id=None):
|
||||||
|
headers = {"authorization": f"Bearer {token}"}
|
||||||
|
resp = requests.get("https://api.tidal.com/v1/sessions", headers=headers).json()
|
||||||
|
if resp.get("status") != 200:
|
||||||
|
raise Exception("Login failed")
|
||||||
|
|
||||||
|
if str(resp.get("userId")) != str(user_id):
|
||||||
|
raise Exception(f"User id mismatch {locals()}")
|
||||||
|
|
||||||
|
self.user_id = resp["userId"]
|
||||||
|
self.country_code = resp["countryCode"]
|
||||||
|
self.access_token = token
|
||||||
|
|
||||||
|
def _api_request(self, path, params):
|
||||||
|
headers = {"authorization": f"Bearer {self.access_token}"}
|
||||||
|
params["countryCode"] = self.country_code
|
||||||
r = requests.get(f"{TIDAL_BASE}/{path}", headers=headers, params=params).json()
|
r = requests.get(f"{TIDAL_BASE}/{path}", headers=headers, params=params).json()
|
||||||
return r
|
return r
|
||||||
|
|
||||||
|
def _api_post(self, url, data, auth=None):
|
||||||
|
r = requests.post(url, data=data, auth=auth, verify=False).json()
|
||||||
|
return r
|
||||||
|
|
||||||
def get_file_url(self, track_id, quality: int = 7):
|
def get_file_url(self, track_id, quality: int = 7):
|
||||||
params = {
|
params = {
|
||||||
"audioquality": TIDAL_Q_IDS[quality],
|
"audioquality": TIDAL_Q_IDS[quality],
|
||||||
|
@ -607,4 +650,8 @@ class TidalMQAClient:
|
||||||
"assetpresentation": "FULL",
|
"assetpresentation": "FULL",
|
||||||
}
|
}
|
||||||
resp = self._api_request(f"tracks/{track_id}/playbackinfopostpaywall", params)
|
resp = self._api_request(f"tracks/{track_id}/playbackinfopostpaywall", params)
|
||||||
|
manifest = json.loads(base64.b64decode(resp['manifest']).decode("utf-8"))
|
||||||
|
codec = manifest['codecs']
|
||||||
|
file_url = manifest["urls"][0]
|
||||||
|
enc_key = manifest.get("keyId", "")
|
||||||
return resp
|
return resp
|
||||||
|
|
|
@ -4,6 +4,7 @@ import shutil
|
||||||
import subprocess
|
import subprocess
|
||||||
from tempfile import gettempdir
|
from tempfile import gettempdir
|
||||||
from typing import Optional
|
from typing import Optional
|
||||||
|
|
||||||
from mutagen.flac import FLAC as FLAC_META
|
from mutagen.flac import FLAC as FLAC_META
|
||||||
|
|
||||||
from .exceptions import ConversionError
|
from .exceptions import ConversionError
|
||||||
|
|
|
@ -98,8 +98,13 @@ class MusicDL(list):
|
||||||
"""
|
"""
|
||||||
for source, url_type, item_id in self.parse_urls(url):
|
for source, url_type, item_id in self.parse_urls(url):
|
||||||
if item_id in self.db:
|
if item_id in self.db:
|
||||||
logger.info(f"ID {item_id} already downloaded, use --no-db to override.")
|
logger.info(
|
||||||
click.secho(f"ID {item_id} already downloaded, use --no-db to override.", fg='magenta')
|
f"ID {item_id} already downloaded, use --no-db to override."
|
||||||
|
)
|
||||||
|
click.secho(
|
||||||
|
f"ID {item_id} already downloaded, use --no-db to override.",
|
||||||
|
fg="magenta",
|
||||||
|
)
|
||||||
continue
|
continue
|
||||||
|
|
||||||
self.handle_item(source, url_type, item_id)
|
self.handle_item(source, url_type, item_id)
|
||||||
|
|
|
@ -431,7 +431,7 @@ class Track:
|
||||||
sampling_rate=kwargs.get("sampling_rate"),
|
sampling_rate=kwargs.get("sampling_rate"),
|
||||||
remove_source=kwargs.get("remove_source", True),
|
remove_source=kwargs.get("remove_source", True),
|
||||||
)
|
)
|
||||||
click.secho(f"Converting {self!s}", fg='blue')
|
click.secho(f"Converting {self!s}", fg="blue")
|
||||||
engine.convert()
|
engine.convert()
|
||||||
|
|
||||||
def get(self, *keys, default=None):
|
def get(self, *keys, default=None):
|
||||||
|
@ -1092,7 +1092,7 @@ class Artist(Tracklist):
|
||||||
"""Send an API call to get album info based on id."""
|
"""Send an API call to get album info based on id."""
|
||||||
self.meta = self.client.get(self.id, media_type="artist")
|
self.meta = self.client.get(self.id, media_type="artist")
|
||||||
# TODO find better fix for this
|
# TODO find better fix for this
|
||||||
self.name = self.meta['items'][0]['artist']['name']
|
self.name = self.meta["items"][0]["artist"]["name"]
|
||||||
self._load_albums()
|
self._load_albums()
|
||||||
|
|
||||||
def _load_albums(self):
|
def _load_albums(self):
|
||||||
|
|
|
@ -7,6 +7,8 @@ from typing import Optional
|
||||||
import requests
|
import requests
|
||||||
from pathvalidate import sanitize_filename
|
from pathvalidate import sanitize_filename
|
||||||
from tqdm import tqdm
|
from tqdm import tqdm
|
||||||
|
from Crypto.Cipher import AES
|
||||||
|
from Crypto.Util import Counter
|
||||||
|
|
||||||
from .constants import LOG_DIR, TIDAL_COVER_URL
|
from .constants import LOG_DIR, TIDAL_COVER_URL
|
||||||
from .exceptions import NonStreamable
|
from .exceptions import NonStreamable
|
||||||
|
@ -155,3 +157,13 @@ def init_log(
|
||||||
|
|
||||||
def capitalize(s: str) -> str:
|
def capitalize(s: str) -> str:
|
||||||
return s[0].upper() + s[1:]
|
return s[0].upper() + s[1:]
|
||||||
|
|
||||||
|
|
||||||
|
def decrypt_mqa_file(in_path, out_path, key, nonce):
|
||||||
|
counter = Counter.new(64, prefix=nonce, initial_value=0)
|
||||||
|
decryptor = AES.new(key, AES.MODE_CTR, counter=counter)
|
||||||
|
|
||||||
|
with open(in_path, "rb") as enc_file:
|
||||||
|
dec_bytes = decryptor.decrypt(enc_file.read())
|
||||||
|
with open(out_path, "wb") as dec_file:
|
||||||
|
dec_file.write(dec_bytes)
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue