More code cleanup
This commit is contained in:
parent
975fdf95dd
commit
4a573233a1
|
@ -12,6 +12,32 @@ import json
|
||||||
USER_AGENT_HEADER = "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) " \
|
USER_AGENT_HEADER = "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) " \
|
||||||
"Chrome/79.0.3945.130 Safari/537.36"
|
"Chrome/79.0.3945.130 Safari/537.36"
|
||||||
|
|
||||||
|
class LyricsStatus():
|
||||||
|
"""Explicit Content Lyrics"""
|
||||||
|
|
||||||
|
NOT_EXPLICIT = 0
|
||||||
|
"""Not Explicit"""
|
||||||
|
|
||||||
|
EXPLICIT = 1
|
||||||
|
"""Explicit"""
|
||||||
|
|
||||||
|
UNKNOWN = 2
|
||||||
|
"""Unknown"""
|
||||||
|
|
||||||
|
EDITED = 3
|
||||||
|
"""Edited"""
|
||||||
|
|
||||||
|
PARTIALLY_EXPLICIT = 4
|
||||||
|
"""Partially Explicit (Album "lyrics" only)"""
|
||||||
|
|
||||||
|
PARTIALLY_UNKNOWN = 5
|
||||||
|
"""Partially Unknown (Album "lyrics" only)"""
|
||||||
|
|
||||||
|
NO_ADVICE = 6
|
||||||
|
"""No Advice Available"""
|
||||||
|
|
||||||
|
PARTIALLY_NO_ADVICE = 7
|
||||||
|
"""Partially No Advice Available (Album "lyrics" only)"""
|
||||||
|
|
||||||
class Deezer:
|
class Deezer:
|
||||||
def __init__(self):
|
def __init__(self):
|
||||||
|
|
|
@ -12,7 +12,7 @@ from os import makedirs, remove, system as execute
|
||||||
from tempfile import gettempdir
|
from tempfile import gettempdir
|
||||||
|
|
||||||
from deemix.app.queueitem import QISingle, QICollection
|
from deemix.app.queueitem import QISingle, QICollection
|
||||||
from deemix.app.track import Track
|
from deemix.app.track import Track, AlbumDoesntExsists
|
||||||
from deemix.utils import changeCase
|
from deemix.utils import changeCase
|
||||||
from deemix.utils.pathtemplates import generateFilename, generateFilepath, settingsRegexAlbum, settingsRegexArtist, settingsRegexPlaylistFile
|
from deemix.utils.pathtemplates import generateFilename, generateFilepath, settingsRegexAlbum, settingsRegexArtist, settingsRegexPlaylistFile
|
||||||
from deemix.api.deezer import USER_AGENT_HEADER
|
from deemix.api.deezer import USER_AGENT_HEADER
|
||||||
|
@ -49,7 +49,8 @@ errorMessages = {
|
||||||
'no360RA': "Track is not available in Reality Audio 360.",
|
'no360RA': "Track is not available in Reality Audio 360.",
|
||||||
'notAvailable': "Track not available on deezer's servers!",
|
'notAvailable': "Track not available on deezer's servers!",
|
||||||
'notAvailableNoAlternative': "Track not available on deezer's servers and no alternative found!",
|
'notAvailableNoAlternative': "Track not available on deezer's servers and no alternative found!",
|
||||||
'noSpaceLeft': "No space left on target drive, clean up some space for the tracks"
|
'noSpaceLeft': "No space left on target drive, clean up some space for the tracks",
|
||||||
|
'albumDoesntExsists': "Track's album does not exsist, failed to gather info"
|
||||||
}
|
}
|
||||||
def downloadImage(url, path, overwrite="n"):
|
def downloadImage(url, path, overwrite="n"):
|
||||||
if not os.path.isfile(path) or overwrite in ['y', 't', 'b']:
|
if not os.path.isfile(path) or overwrite in ['y', 't', 'b']:
|
||||||
|
@ -220,12 +221,15 @@ class DownloadJob:
|
||||||
# Create Track object
|
# Create Track object
|
||||||
if not track:
|
if not track:
|
||||||
logger.info(f"[{trackAPI_gw['ART_NAME']} - {trackAPI_gw['SNG_TITLE']}] Getting the tags")
|
logger.info(f"[{trackAPI_gw['ART_NAME']} - {trackAPI_gw['SNG_TITLE']}] Getting the tags")
|
||||||
track = Track(self.dz,
|
try:
|
||||||
settings=self.settings,
|
track = Track(self.dz,
|
||||||
trackAPI_gw=trackAPI_gw,
|
settings=self.settings,
|
||||||
trackAPI=trackAPI_gw['_EXTRA_TRACK'] if '_EXTRA_TRACK' in trackAPI_gw else None,
|
trackAPI_gw=trackAPI_gw,
|
||||||
albumAPI=trackAPI_gw['_EXTRA_ALBUM'] if '_EXTRA_ALBUM' in trackAPI_gw else None
|
trackAPI=trackAPI_gw['_EXTRA_TRACK'] if '_EXTRA_TRACK' in trackAPI_gw else None,
|
||||||
)
|
albumAPI=trackAPI_gw['_EXTRA_ALBUM'] if '_EXTRA_ALBUM' in trackAPI_gw else None
|
||||||
|
)
|
||||||
|
except AlbumDoesntExsists:
|
||||||
|
raise DownloadError('albumDoesntExsists')
|
||||||
if self.queueItem.cancel: raise DownloadCancelled
|
if self.queueItem.cancel: raise DownloadCancelled
|
||||||
|
|
||||||
if track.MD5 == '':
|
if track.MD5 == '':
|
||||||
|
|
|
@ -1,11 +1,13 @@
|
||||||
import logging
|
import logging
|
||||||
|
|
||||||
from deemix.api.deezer import APIError
|
from deemix.api.deezer import APIError, LyricsStatus
|
||||||
from deemix.utils import removeFeatures, andCommaConcat, uniqueArray
|
from deemix.utils import removeFeatures, andCommaConcat, uniqueArray, generateReplayGainString
|
||||||
|
|
||||||
logging.basicConfig(level=logging.INFO)
|
logging.basicConfig(level=logging.INFO)
|
||||||
logger = logging.getLogger('deemix')
|
logger = logging.getLogger('deemix')
|
||||||
|
|
||||||
|
VARIOUS_ARTISTS = 5080
|
||||||
|
|
||||||
class Track:
|
class Track:
|
||||||
def __init__(self, dz, settings, trackAPI_gw, trackAPI=None, albumAPI_gw=None, albumAPI=None):
|
def __init__(self, dz, settings, trackAPI_gw, trackAPI=None, albumAPI_gw=None, albumAPI=None):
|
||||||
self.parseEssentialData(dz, trackAPI_gw)
|
self.parseEssentialData(dz, trackAPI_gw)
|
||||||
|
@ -22,6 +24,7 @@ class Track:
|
||||||
else:
|
else:
|
||||||
self.parseData(dz, settings, trackAPI_gw, trackAPI, albumAPI_gw, albumAPI)
|
self.parseData(dz, settings, trackAPI_gw, trackAPI, albumAPI_gw, albumAPI)
|
||||||
|
|
||||||
|
# Make sure there is at least one artist
|
||||||
if not 'Main' in self.artist:
|
if not 'Main' in self.artist:
|
||||||
self.artist['Main'] = [self.mainArtist['name']]
|
self.artist['Main'] = [self.mainArtist['name']]
|
||||||
|
|
||||||
|
@ -38,41 +41,7 @@ class Track:
|
||||||
# Add playlist data if track is in a playlist
|
# Add playlist data if track is in a playlist
|
||||||
self.playlist = None
|
self.playlist = None
|
||||||
if "_EXTRA_PLAYLIST" in trackAPI_gw:
|
if "_EXTRA_PLAYLIST" in trackAPI_gw:
|
||||||
self.playlist = {}
|
self.parsePlaylistData()
|
||||||
if 'dzcdn.net' in trackAPI_gw["_EXTRA_PLAYLIST"]['picture_small']:
|
|
||||||
self.playlist['pic'] = trackAPI_gw["_EXTRA_PLAYLIST"]['picture_small'][:-24]
|
|
||||||
self.playlist['picUrl'] = "{}/{}x{}-{}".format(
|
|
||||||
self.playlist['pic'],
|
|
||||||
settings['embeddedArtworkSize'], settings['embeddedArtworkSize'],
|
|
||||||
'none-100-0-0.png' if settings['embeddedArtworkPNG'] else f'000000-{settings["jpegImageQuality"]}-0-0.jpg'
|
|
||||||
)
|
|
||||||
else:
|
|
||||||
self.playlist['pic'] = None
|
|
||||||
self.playlist['picUrl'] = trackAPI_gw["_EXTRA_PLAYLIST"]['picture_xl']
|
|
||||||
self.playlist['title'] = trackAPI_gw["_EXTRA_PLAYLIST"]['title']
|
|
||||||
self.playlist['mainArtist'] = {
|
|
||||||
'id': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['id'],
|
|
||||||
'name': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'],
|
|
||||||
'pic': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['picture_small'][
|
|
||||||
trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['picture_small'].find('artist/') + 7:-24]
|
|
||||||
}
|
|
||||||
if settings['albumVariousArtists']:
|
|
||||||
self.playlist['artist'] = {"Main": [trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'], ]}
|
|
||||||
self.playlist['artists'] = [trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'], ]
|
|
||||||
else:
|
|
||||||
self.playlist['artist'] = {"Main": []}
|
|
||||||
self.playlist['artists'] = []
|
|
||||||
self.playlist['trackTotal'] = trackAPI_gw["_EXTRA_PLAYLIST"]['nb_tracks']
|
|
||||||
self.playlist['recordType'] = "compile"
|
|
||||||
self.playlist['barcode'] = ""
|
|
||||||
self.playlist['label'] = ""
|
|
||||||
self.playlist['explicit'] = trackAPI_gw['_EXTRA_PLAYLIST']['explicit']
|
|
||||||
self.playlist['date'] = {
|
|
||||||
'day': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][8:10],
|
|
||||||
'month': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][5:7],
|
|
||||||
'year': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][0:4]
|
|
||||||
}
|
|
||||||
self.playlist['discTotal'] = "1"
|
|
||||||
|
|
||||||
self.generateMainFeatStrings()
|
self.generateMainFeatStrings()
|
||||||
|
|
||||||
|
@ -84,7 +53,6 @@ class Track:
|
||||||
self.album['picPath'] = None
|
self.album['picPath'] = None
|
||||||
self.album['bitrate'] = 0
|
self.album['bitrate'] = 0
|
||||||
self.album['dateString'] = None
|
self.album['dateString'] = None
|
||||||
|
|
||||||
self.artistsString = ""
|
self.artistsString = ""
|
||||||
|
|
||||||
def parseEssentialData(self, dz, trackAPI_gw):
|
def parseEssentialData(self, dz, trackAPI_gw):
|
||||||
|
@ -98,11 +66,13 @@ class Track:
|
||||||
self.filesizes = dz.get_track_filesizes(self.id)
|
self.filesizes = dz.get_track_filesizes(self.id)
|
||||||
|
|
||||||
def parseLocalTrackData(self, trackAPI_gw):
|
def parseLocalTrackData(self, trackAPI_gw):
|
||||||
|
# Local tracks has only the trackAPI_gw page and
|
||||||
|
# contains only the tags provided by the file
|
||||||
self.album = {
|
self.album = {
|
||||||
'id': "0",
|
'id': "0",
|
||||||
'title': trackAPI_gw['ALB_TITLE'],
|
'title': trackAPI_gw['ALB_TITLE'],
|
||||||
|
'pic': trackAPI_gw.get('ALB_PICTURE', "")
|
||||||
}
|
}
|
||||||
self.album['pic'] = trackAPI_gw.get('ALB_PICTURE')
|
|
||||||
self.mainArtist = {
|
self.mainArtist = {
|
||||||
'id': "0",
|
'id': "0",
|
||||||
'name': trackAPI_gw['ART_NAME'],
|
'name': trackAPI_gw['ART_NAME'],
|
||||||
|
@ -117,7 +87,7 @@ class Track:
|
||||||
'month': "00",
|
'month': "00",
|
||||||
'year': "XXXX"
|
'year': "XXXX"
|
||||||
}
|
}
|
||||||
# All the missing data
|
# Defaulting all the missing data
|
||||||
self.ISRC = ""
|
self.ISRC = ""
|
||||||
self.album['artist'] = self.artist
|
self.album['artist'] = self.artist
|
||||||
self.album['artists'] = self.artists
|
self.album['artists'] = self.artists
|
||||||
|
@ -145,39 +115,40 @@ class Track:
|
||||||
self.copyright = trackAPI_gw.get('COPYRIGHT')
|
self.copyright = trackAPI_gw.get('COPYRIGHT')
|
||||||
self.replayGain = ""
|
self.replayGain = ""
|
||||||
if 'GAIN' in trackAPI_gw:
|
if 'GAIN' in trackAPI_gw:
|
||||||
self.replayGain = "{0:.2f} dB".format((float(trackAPI_gw['GAIN']) + 18.4) * -1)
|
self.replayGain = generateReplayGainString(trackAPI_gw['GAIN'])
|
||||||
self.ISRC = trackAPI_gw['ISRC']
|
self.ISRC = trackAPI_gw.get('ISRC')
|
||||||
self.trackNumber = trackAPI_gw['TRACK_NUMBER']
|
self.trackNumber = trackAPI_gw['TRACK_NUMBER']
|
||||||
self.contributors = trackAPI_gw['SNG_CONTRIBUTORS']
|
self.contributors = trackAPI_gw['SNG_CONTRIBUTORS']
|
||||||
|
|
||||||
self.lyrics = {
|
self.lyrics = {
|
||||||
'id': trackAPI_gw.get('LYRICS_ID', "0"),
|
'id': int(trackAPI_gw.get('LYRICS_ID', "0")),
|
||||||
'unsync': None,
|
'unsync': None,
|
||||||
'sync': None,
|
'sync': None,
|
||||||
'syncID3': None
|
'syncID3': None
|
||||||
}
|
}
|
||||||
if not "LYRICS" in trackAPI_gw and int(self.lyrics['id']) != 0:
|
if not "LYRICS" in trackAPI_gw and self.lyrics['id'] != 0:
|
||||||
logger.info(f"[{trackAPI_gw['ART_NAME']} - {self.title}] Getting lyrics")
|
logger.info(f"[{trackAPI_gw['ART_NAME']} - {self.title}] Getting lyrics")
|
||||||
trackAPI_gw["LYRICS"] = dz.get_lyrics_gw(self.id)
|
trackAPI_gw["LYRICS"] = dz.get_lyrics_gw(self.id)
|
||||||
if int(self.lyrics['id']) != 0:
|
if self.lyrics['id'] != 0:
|
||||||
self.lyrics['unsync'] = trackAPI_gw["LYRICS"].get("LYRICS_TEXT")
|
self.lyrics['unsync'] = trackAPI_gw["LYRICS"].get("LYRICS_TEXT")
|
||||||
if "LYRICS_SYNC_JSON" in trackAPI_gw["LYRICS"]:
|
if "LYRICS_SYNC_JSON" in trackAPI_gw["LYRICS"]:
|
||||||
|
syncLyricsJson = trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"]
|
||||||
self.lyrics['sync'] = ""
|
self.lyrics['sync'] = ""
|
||||||
self.lyrics['syncID3'] = []
|
self.lyrics['syncID3'] = []
|
||||||
timestamp = ""
|
timestamp = ""
|
||||||
milliseconds = 0
|
milliseconds = 0
|
||||||
for i in range(len(trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"])):
|
for line in range(len(syncLyricsJson)):
|
||||||
if trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][i]["line"] != "":
|
if syncLyricsJson[line]["line"] != "":
|
||||||
timestamp = trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][i]["lrc_timestamp"]
|
timestamp = syncLyricsJson[line]["lrc_timestamp"]
|
||||||
milliseconds = int(trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][i]["milliseconds"])
|
milliseconds = int(syncLyricsJson[line]["milliseconds"])
|
||||||
else:
|
else:
|
||||||
j=i+1
|
notEmptyLine = line + 1
|
||||||
while trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][j]["line"] == "":
|
while syncLyricsJson[notEmptyLine]["line"] == "":
|
||||||
j=j+1
|
notEmptyLine = notEmptyLine + 1
|
||||||
timestamp = trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][j]["lrc_timestamp"]
|
timestamp = syncLyricsJson[notEmptyLine]["lrc_timestamp"]
|
||||||
milliseconds = int(trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][j]["milliseconds"])
|
milliseconds = int(syncLyricsJson[notEmptyLine]["milliseconds"])
|
||||||
self.lyrics['sync'] += timestamp + trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][i]["line"] + "\r\n"
|
self.lyrics['sync'] += timestamp + syncLyricsJson[line]["line"] + "\r\n"
|
||||||
self.lyrics['syncID3'].append((trackAPI_gw["LYRICS"]["LYRICS_SYNC_JSON"][i]["line"], milliseconds))
|
self.lyrics['syncID3'].append((syncLyricsJson[line]["line"], milliseconds))
|
||||||
|
|
||||||
self.mainArtist = {
|
self.mainArtist = {
|
||||||
'id': trackAPI_gw['ART_ID'],
|
'id': trackAPI_gw['ART_ID'],
|
||||||
|
@ -203,28 +174,43 @@ class Track:
|
||||||
'date': None,
|
'date': None,
|
||||||
'genre': []
|
'genre': []
|
||||||
}
|
}
|
||||||
try:
|
|
||||||
# Try the public API first (as it has more data)
|
# Try the public API first (as it has more data)
|
||||||
if not albumAPI:
|
if not albumAPI:
|
||||||
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting album infos")
|
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting album infos")
|
||||||
|
try:
|
||||||
albumAPI = dz.get_album(self.album['id'])
|
albumAPI = dz.get_album(self.album['id'])
|
||||||
|
except APIError:
|
||||||
|
albumAPI = None
|
||||||
|
|
||||||
|
if albumAPI:
|
||||||
self.album['title'] = albumAPI['title']
|
self.album['title'] = albumAPI['title']
|
||||||
|
|
||||||
|
# Getting artist image ID
|
||||||
|
# ex: https://e-cdns-images.dzcdn.net/images/artist/f2bc007e9133c946ac3c3907ddc5d2ea/56x56-000000-80-0-0.jpg
|
||||||
|
artistPicture = albumAPI['artist']['picture_small']
|
||||||
|
artistPicture = artistPicture[artistPicture.find('artist/') + 7:-24]
|
||||||
self.album['mainArtist'] = {
|
self.album['mainArtist'] = {
|
||||||
'id': albumAPI['artist']['id'],
|
'id': albumAPI['artist']['id'],
|
||||||
'name': albumAPI['artist']['name'],
|
'name': albumAPI['artist']['name'],
|
||||||
'pic': albumAPI['artist']['picture_small'][albumAPI['artist']['picture_small'].find('artist/') + 7:-24]
|
'pic': artistPicture
|
||||||
}
|
}
|
||||||
|
|
||||||
self.album['artist'] = {}
|
self.album['artist'] = {}
|
||||||
self.album['artists'] = []
|
self.album['artists'] = []
|
||||||
for artist in albumAPI['contributors']:
|
for artist in albumAPI['contributors']:
|
||||||
if artist['id'] != 5080 or artist['id'] == 5080 and settings['albumVariousArtists']:
|
isVariousArtists = artist['id'] == VARIOUS_ARTISTS
|
||||||
|
isMainArtist = artist['role'] == "Main"
|
||||||
|
|
||||||
|
if not isVariousArtists or settings['albumVariousArtists'] and isVariousArtists:
|
||||||
if artist['name'] not in self.album['artists']:
|
if artist['name'] not in self.album['artists']:
|
||||||
self.album['artists'].append(artist['name'])
|
self.album['artists'].append(artist['name'])
|
||||||
if artist['role'] == "Main" or artist['role'] != "Main" and artist['name'] not in self.album['artist']['Main']:
|
|
||||||
|
if isMainArtist or artist['name'] not in self.album['artist']['Main'] and not isMainArtist:
|
||||||
if not artist['role'] in self.album['artist']:
|
if not artist['role'] in self.album['artist']:
|
||||||
self.album['artist'][artist['role']] = []
|
self.album['artist'][artist['role']] = []
|
||||||
self.album['artist'][artist['role']].append(artist['name'])
|
self.album['artist'][artist['role']].append(artist['name'])
|
||||||
|
|
||||||
if settings['removeDuplicateArtists']:
|
if settings['removeDuplicateArtists']:
|
||||||
self.album['artists'] = uniqueArray(self.album['artists'])
|
self.album['artists'] = uniqueArray(self.album['artists'])
|
||||||
for role in self.album['artist'].keys():
|
for role in self.album['artist'].keys():
|
||||||
|
@ -246,31 +232,46 @@ class Track:
|
||||||
self.copyright = albumAPI.get('copyright')
|
self.copyright = albumAPI.get('copyright')
|
||||||
|
|
||||||
if not self.album['pic']:
|
if not self.album['pic']:
|
||||||
|
# Getting album cover ID
|
||||||
|
# ex: https://e-cdns-images.dzcdn.net/images/cover/2e018122cb56986277102d2041a592c8/56x56-000000-80-0-0.jpg
|
||||||
self.album['pic'] = albumAPI['cover_small'][albumAPI['cover_small'].find('cover/') + 6:-24]
|
self.album['pic'] = albumAPI['cover_small'][albumAPI['cover_small'].find('cover/') + 6:-24]
|
||||||
|
|
||||||
if 'genres' in albumAPI and 'data' in albumAPI['genres'] and len(albumAPI['genres']['data']) > 0:
|
if albumAPI.get('genres') and len(albumAPI['genres'].get('data', [])) > 0:
|
||||||
for genre in albumAPI['genres']['data']:
|
for genre in albumAPI['genres']['data']:
|
||||||
self.album['genre'].append(genre['name'])
|
self.album['genre'].append(genre['name'])
|
||||||
except APIError:
|
else:
|
||||||
if not albumAPI_gw:
|
if not albumAPI_gw:
|
||||||
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
||||||
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
try:
|
||||||
|
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
||||||
|
except APIError:
|
||||||
|
albumAPI_gw = None
|
||||||
|
raise AlbumDoesntExsists
|
||||||
|
|
||||||
self.album['title'] = albumAPI_gw['ALB_TITLE']
|
self.album['title'] = albumAPI_gw['ALB_TITLE']
|
||||||
self.album['mainArtist'] = {
|
self.album['mainArtist'] = {
|
||||||
'id': albumAPI_gw['ART_ID'],
|
'id': albumAPI_gw['ART_ID'],
|
||||||
'name': albumAPI_gw['ART_NAME'],
|
'name': albumAPI_gw['ART_NAME'],
|
||||||
'pic': None
|
'pic': None
|
||||||
}
|
}
|
||||||
|
|
||||||
|
# albumAPI_gw doesn't contain the artist cover
|
||||||
|
# Getting artist image ID
|
||||||
|
# ex: https://e-cdns-images.dzcdn.net/images/artist/f2bc007e9133c946ac3c3907ddc5d2ea/56x56-000000-80-0-0.jpg
|
||||||
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting artist picture fallback")
|
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting artist picture fallback")
|
||||||
artistAPI = dz.get_artist(self.album['mainArtist']['id'])
|
artistAPI = dz.get_artist(self.album['mainArtist']['id'])
|
||||||
self.album['artists'] = [albumAPI_gw['ART_NAME']]
|
|
||||||
self.album['mainArtist']['pic'] = artistAPI['picture_small'][artistAPI['picture_small'].find('artist/') + 7:-24]
|
self.album['mainArtist']['pic'] = artistAPI['picture_small'][artistAPI['picture_small'].find('artist/') + 7:-24]
|
||||||
|
|
||||||
|
self.album['artists'] = [albumAPI_gw['ART_NAME']]
|
||||||
self.album['trackTotal'] = albumAPI_gw['NUMBER_TRACK']
|
self.album['trackTotal'] = albumAPI_gw['NUMBER_TRACK']
|
||||||
self.album['discTotal'] = albumAPI_gw['NUMBER_DISK']
|
self.album['discTotal'] = albumAPI_gw['NUMBER_DISK']
|
||||||
self.album['recordType'] = "album"
|
self.album['recordType'] = "album"
|
||||||
self.album['label'] = albumAPI_gw.get('LABEL_NAME', self.album['label'])
|
self.album['label'] = albumAPI_gw.get('LABEL_NAME', self.album['label'])
|
||||||
if 'EXPLICIT_ALBUM_CONTENT' in albumAPI_gw and 'EXPLICIT_LYRICS_STATUS' in albumAPI_gw['EXPLICIT_ALBUM_CONTENT']:
|
|
||||||
self.album['explicit'] = albumAPI_gw['EXPLICIT_ALBUM_CONTENT']['EXPLICIT_LYRICS_STATUS'] in [1,4]
|
if albumAPI_gw.get('EXPLICIT_ALBUM_CONTENT') and albumAPI_gw['EXPLICIT_ALBUM_CONTENT'].get('EXPLICIT_LYRICS_STATUS'):
|
||||||
|
explicitLyricsStatus = albumAPI_gw['EXPLICIT_ALBUM_CONTENT']['EXPLICIT_LYRICS_STATUS']
|
||||||
|
self.album['explicit'] = explicitLyricsStatus in [LyricsStatus.EXPLICIT, LyricsStatus.PARTIALLY_EXPLICIT]
|
||||||
|
|
||||||
if not self.album['pic']:
|
if not self.album['pic']:
|
||||||
self.album['pic'] = albumAPI_gw['ALB_PICTURE']
|
self.album['pic'] = albumAPI_gw['ALB_PICTURE']
|
||||||
if 'PHYSICAL_RELEASE_DATE' in albumAPI_gw:
|
if 'PHYSICAL_RELEASE_DATE' in albumAPI_gw:
|
||||||
|
@ -280,7 +281,8 @@ class Track:
|
||||||
'year': albumAPI_gw["PHYSICAL_RELEASE_DATE"][0:4]
|
'year': albumAPI_gw["PHYSICAL_RELEASE_DATE"][0:4]
|
||||||
}
|
}
|
||||||
|
|
||||||
self.album['mainArtist']['save'] = self.album['mainArtist']['id'] != 5080 or self.album['mainArtist']['id'] == 5080 and settings['albumVariousArtists']
|
isAlbumArtistVariousArtists = self.album['mainArtist']['id'] == VARIOUS_ARTISTS
|
||||||
|
self.album['mainArtist']['save'] = not isAlbumArtistVariousArtists or settings['albumVariousArtists'] and isAlbumArtistVariousArtists
|
||||||
|
|
||||||
if self.album['date'] and not self.date:
|
if self.album['date'] and not self.date:
|
||||||
self.date = self.album['date']
|
self.date = self.album['date']
|
||||||
|
@ -291,7 +293,7 @@ class Track:
|
||||||
self.bpm = trackAPI['bpm']
|
self.bpm = trackAPI['bpm']
|
||||||
|
|
||||||
if not self.replayGain and 'gain' in trackAPI:
|
if not self.replayGain and 'gain' in trackAPI:
|
||||||
self.replayGain = "{0:.2f} dB".format((float(trackAPI['gain']) + 18.4) * -1)
|
self.replayGain = generateReplayGainString(trackAPI['gain'])
|
||||||
if not self.explicit:
|
if not self.explicit:
|
||||||
self.explicit = trackAPI['explicit_lyrics']
|
self.explicit = trackAPI['explicit_lyrics']
|
||||||
if not self.discNumber:
|
if not self.discNumber:
|
||||||
|
@ -300,13 +302,18 @@ class Track:
|
||||||
self.artist = {}
|
self.artist = {}
|
||||||
self.artists = []
|
self.artists = []
|
||||||
for artist in trackAPI['contributors']:
|
for artist in trackAPI['contributors']:
|
||||||
if artist['id'] != 5080 or artist['id'] == 5080 and len(trackAPI['contributors']) == 1:
|
isVariousArtists = artist['id'] == VARIOUS_ARTISTS
|
||||||
|
isMainArtist = artist['role'] == "Main"
|
||||||
|
|
||||||
|
if not isVariousArtists or len(trackAPI['contributors']) == 1 and isVariousArtists:
|
||||||
if artist['name'] not in self.artists:
|
if artist['name'] not in self.artists:
|
||||||
self.artists.append(artist['name'])
|
self.artists.append(artist['name'])
|
||||||
if artist['role'] != "Main" and artist['name'] not in self.artist['Main'] or artist['role'] == "Main":
|
|
||||||
|
if isMainArtist or artist['name'] not in self.artist['Main'] and not isMainArtist:
|
||||||
if not artist['role'] in self.artist:
|
if not artist['role'] in self.artist:
|
||||||
self.artist[artist['role']] = []
|
self.artist[artist['role']] = []
|
||||||
self.artist[artist['role']].append(artist['name'])
|
self.artist[artist['role']].append(artist['name'])
|
||||||
|
|
||||||
if settings['removeDuplicateArtists']:
|
if settings['removeDuplicateArtists']:
|
||||||
self.artists = uniqueArray(self.artists)
|
self.artists = uniqueArray(self.artists)
|
||||||
for role in self.artist.keys():
|
for role in self.artist.keys():
|
||||||
|
@ -317,12 +324,50 @@ class Track:
|
||||||
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
||||||
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
||||||
self.album['discTotal'] = albumAPI_gw['NUMBER_DISK']
|
self.album['discTotal'] = albumAPI_gw['NUMBER_DISK']
|
||||||
|
|
||||||
if not self.copyright:
|
if not self.copyright:
|
||||||
if not albumAPI_gw:
|
if not albumAPI_gw:
|
||||||
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
logger.info(f"[{self.mainArtist['name']} - {self.title}] Getting more album infos")
|
||||||
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
albumAPI_gw = dz.get_album_gw(self.album['id'])
|
||||||
self.copyright = albumAPI_gw['COPYRIGHT']
|
self.copyright = albumAPI_gw['COPYRIGHT']
|
||||||
|
|
||||||
|
def parsePlaylistData(self):
|
||||||
|
self.playlist = {}
|
||||||
|
if 'dzcdn.net' in trackAPI_gw["_EXTRA_PLAYLIST"]['picture_small']:
|
||||||
|
self.playlist['pic'] = trackAPI_gw["_EXTRA_PLAYLIST"]['picture_small'][:-24]
|
||||||
|
self.playlist['picUrl'] = "{}/{}x{}-{}".format(
|
||||||
|
self.playlist['pic'],
|
||||||
|
settings['embeddedArtworkSize'], settings['embeddedArtworkSize'],
|
||||||
|
'none-100-0-0.png' if settings['embeddedArtworkPNG'] else f'000000-{settings["jpegImageQuality"]}-0-0.jpg'
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
self.playlist['pic'] = None
|
||||||
|
self.playlist['picUrl'] = trackAPI_gw["_EXTRA_PLAYLIST"]['picture_xl']
|
||||||
|
self.playlist['title'] = trackAPI_gw["_EXTRA_PLAYLIST"]['title']
|
||||||
|
self.playlist['mainArtist'] = {
|
||||||
|
'id': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['id'],
|
||||||
|
'name': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'],
|
||||||
|
'pic': trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['picture_small'][
|
||||||
|
trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['picture_small'].find('artist/') + 7:-24]
|
||||||
|
}
|
||||||
|
if settings['albumVariousArtists']:
|
||||||
|
self.playlist['artist'] = {"Main": [trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'], ]}
|
||||||
|
self.playlist['artists'] = [trackAPI_gw["_EXTRA_PLAYLIST"]['various_artist']['name'], ]
|
||||||
|
else:
|
||||||
|
self.playlist['artist'] = {"Main": []}
|
||||||
|
self.playlist['artists'] = []
|
||||||
|
self.playlist['trackTotal'] = trackAPI_gw["_EXTRA_PLAYLIST"]['nb_tracks']
|
||||||
|
self.playlist['recordType'] = "compile"
|
||||||
|
self.playlist['barcode'] = ""
|
||||||
|
self.playlist['label'] = ""
|
||||||
|
self.playlist['explicit'] = trackAPI_gw['_EXTRA_PLAYLIST']['explicit']
|
||||||
|
self.playlist['date'] = {
|
||||||
|
'day': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][8:10],
|
||||||
|
'month': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][5:7],
|
||||||
|
'year': trackAPI_gw["_EXTRA_PLAYLIST"]["creation_date"][0:4]
|
||||||
|
}
|
||||||
|
self.playlist['discTotal'] = "1"
|
||||||
|
|
||||||
# Removes featuring from the title
|
# Removes featuring from the title
|
||||||
def getCleanTitle(self):
|
def getCleanTitle(self):
|
||||||
return removeFeatures(self.title)
|
return removeFeatures(self.title)
|
||||||
|
@ -341,3 +386,10 @@ class Track:
|
||||||
self.featArtistsString = None
|
self.featArtistsString = None
|
||||||
if 'Featured' in self.artist:
|
if 'Featured' in self.artist:
|
||||||
self.featArtistsString = "feat. "+andCommaConcat(self.artist['Featured'])
|
self.featArtistsString = "feat. "+andCommaConcat(self.artist['Featured'])
|
||||||
|
|
||||||
|
class TrackError(Exception):
|
||||||
|
"""Base class for exceptions in this module."""
|
||||||
|
pass
|
||||||
|
|
||||||
|
class AlbumDoesntExsists(TrackError):
|
||||||
|
pass
|
||||||
|
|
|
@ -1,6 +1,9 @@
|
||||||
import re
|
import re
|
||||||
import string
|
import string
|
||||||
|
|
||||||
|
def generateReplayGainString(trackGain):
|
||||||
|
return "{0:.2f} dB".format((float(trackGain) + 18.4) * -1)
|
||||||
|
|
||||||
def getBitrateInt(txt):
|
def getBitrateInt(txt):
|
||||||
txt = str(txt).lower()
|
txt = str(txt).lower()
|
||||||
if txt in ['flac', 'lossless', '9']:
|
if txt in ['flac', 'lossless', '9']:
|
||||||
|
|
Loading…
Reference in New Issue