bazarr/bazarr/get_movies.py

319 lines
18 KiB
Python
Raw Normal View History

# coding=utf-8
2018-04-19 23:45:10 +00:00
import os
import sqlite3
import requests
import logging
from queueconfig import notifications
2018-04-19 23:45:10 +00:00
from get_args import args
2018-12-15 00:36:28 +00:00
from config import settings, url_radarr
from helper import path_replace_movie
2018-08-15 20:51:46 +00:00
from list_subtitles import store_subtitles_movie, list_missing_subtitles_movies
from get_subtitle import movies_download_subtitles
2019-08-13 17:08:14 +00:00
from database import TableMovies
2018-04-19 23:45:10 +00:00
2018-04-19 23:45:10 +00:00
def update_movies():
2018-10-01 14:44:27 +00:00
logging.debug('BAZARR Starting movie sync from Radarr.')
2018-12-15 00:36:28 +00:00
apikey_radarr = settings.radarr.apikey
movie_default_enabled = settings.general.getboolean('movie_default_enabled')
2018-12-15 00:36:28 +00:00
movie_default_language = settings.general.movie_default_language
movie_default_hi = settings.general.movie_default_hi
2019-05-24 17:42:54 +00:00
movie_default_forced = settings.general.movie_default_forced
2019-01-15 16:25:13 +00:00
2018-12-15 00:36:28 +00:00
if apikey_radarr is None:
2018-04-19 23:45:10 +00:00
pass
else:
get_profile_list()
2019-01-15 16:25:13 +00:00
2018-04-19 23:45:10 +00:00
# Get movies data from radarr
url_radarr_api_movies = url_radarr + "/api/movie?apikey=" + apikey_radarr
try:
2019-04-14 13:11:46 +00:00
r = requests.get(url_radarr_api_movies, timeout=60, verify=False)
r.raise_for_status()
except requests.exceptions.HTTPError as errh:
logging.exception("BAZARR Error trying to get movies from Radarr. Http error.")
except requests.exceptions.ConnectionError as errc:
logging.exception("BAZARR Error trying to get movies from Radarr. Connection Error.")
except requests.exceptions.Timeout as errt:
logging.exception("BAZARR Error trying to get movies from Radarr. Timeout Error.")
except requests.exceptions.RequestException as err:
logging.exception("BAZARR Error trying to get movies from Radarr.")
else:
# Get current movies in DB
2019-08-13 17:08:14 +00:00
current_movies_db = TableMovies.select(
TableMovies.tmdb_id,
TableMovies.path,
TableMovies.radarr_id
)
2019-01-15 16:25:13 +00:00
2019-08-13 17:08:14 +00:00
current_movies_db_list = [x.tmdb_id for x in current_movies_db]
current_movies_radarr = []
movies_to_update = []
movies_to_add = []
2019-04-19 19:49:45 +00:00
moviesIdListLength = len(r.json())
for i, movie in enumerate(r.json(), 1):
2019-04-23 01:08:26 +00:00
notifications.write(msg="Getting movies data from Radarr...", queue='get_movies', item=i,
length=moviesIdListLength)
if movie['hasFile'] is True:
if 'movieFile' in movie:
if movie["path"] != None and movie['movieFile']['relativePath'] != None:
try:
overview = unicode(movie['overview'])
except:
overview = ""
try:
poster_big = movie['images'][0]['url']
poster = os.path.splitext(poster_big)[0] + '-500' + os.path.splitext(poster_big)[1]
except:
poster = ""
try:
fanart = movie['images'][1]['url']
except:
fanart = ""
2019-01-15 16:25:13 +00:00
if 'sceneName' in movie['movieFile']:
sceneName = movie['movieFile']['sceneName']
else:
sceneName = None
2019-08-13 17:08:14 +00:00
if 'alternativeTitles' in movie:
alternativeTitles = str([item['title'] for item in movie['alternativeTitles']])
2019-08-13 17:08:14 +00:00
else:
alternativeTitles = None
2019-02-06 03:49:58 +00:00
2019-02-11 03:42:42 +00:00
if 'imdbId' in movie: imdbId = movie['imdbId']
else: imdbId = None
2019-02-06 11:51:19 +00:00
try:
format, resolution = movie['movieFile']['quality']['quality']['name'].split('-')
except:
format = movie['movieFile']['quality']['quality']['name']
2019-03-22 16:41:30 +00:00
try:
2019-02-06 11:51:19 +00:00
resolution = movie['movieFile']['quality']['quality']['resolution'].lstrip('r').lower()
2019-03-22 16:41:30 +00:00
except:
resolution = None
2019-02-06 11:51:19 +00:00
if 'mediaInfo' in movie['movieFile']:
videoFormat = videoCodecID = videoProfile = videoCodecLibrary = None
if 'videoFormat' in movie['movieFile']['mediaInfo']: videoFormat = movie['movieFile']['mediaInfo']['videoFormat']
if 'videoCodecID' in movie['movieFile']['mediaInfo']: videoCodecID = movie['movieFile']['mediaInfo']['videoCodecID']
if 'videoProfile' in movie['movieFile']['mediaInfo']: videoProfile = movie['movieFile']['mediaInfo']['videoProfile']
if 'videoCodecLibrary' in movie['movieFile']['mediaInfo']: videoCodecLibrary = movie['movieFile']['mediaInfo']['videoCodecLibrary']
videoCodec = RadarrFormatVideoCodec(videoFormat, videoCodecID, videoProfile, videoCodecLibrary)
2019-02-08 03:34:54 +00:00
audioFormat = audioCodecID = audioProfile = audioAdditionalFeatures = None
if 'audioFormat' in movie['movieFile']['mediaInfo']: audioFormat = movie['movieFile']['mediaInfo']['audioFormat']
if 'audioCodecID' in movie['movieFile']['mediaInfo']: audioCodecID = movie['movieFile']['mediaInfo']['audioCodecID']
if 'audioProfile' in movie['movieFile']['mediaInfo']: audioProfile = movie['movieFile']['mediaInfo']['audioProfile']
if 'audioAdditionalFeatures' in movie['movieFile']['mediaInfo']: audioAdditionalFeatures = movie['movieFile']['mediaInfo']['audioAdditionalFeatures']
audioCodec = RadarrFormatAudioCodec(audioFormat, audioCodecID, audioProfile, audioAdditionalFeatures)
else:
videoCodec = None
audioCodec = None
2019-02-08 03:34:54 +00:00
# Add movies in radarr to current movies list
current_movies_radarr.append(unicode(movie['tmdbId']))
2019-01-15 16:25:13 +00:00
# Detect file separator
if movie['path'][0] == "/":
separator = "/"
else:
separator = "\\"
2019-01-15 16:25:13 +00:00
if unicode(movie['tmdbId']) in current_movies_db_list:
2019-08-13 17:08:14 +00:00
movies_to_update.append({'title': movie["title"],
'path': movie["path"] + separator + movie['movieFile']['relativePath'],
'tmdb_id': movie["tmdbId"],
'radarr_id': movie["id"],
'overview': overview,
'poster': poster,
'fanart': fanart,
'audio_language': profile_id_to_language(movie['qualityProfileId']),
'scene_name': sceneName,
'monitored': unicode(bool(movie['monitored'])),
'sort_title': movie['sortTitle'],
'year': movie['year'],
'alternative_titles': alternativeTitles,
'format': format,
'resolution': resolution,
'video_codec': videoCodec,
'audio_codec': audioCodec,
'imdb_id': imdbId})
else:
if movie_default_enabled is True:
2019-08-13 17:08:14 +00:00
movies_to_add.append({'title': movie["title"],
'path': movie["path"] + separator + movie['movieFile']['relativePath'],
'tmdb_id': movie["tmdbId"],
'languages': movie_default_language,
'subtitles': '[]',
'hearing_impaired': movie_default_hi,
'radarr_id': movie["id"],
'overview': overview,
'poster': poster,
'fanart': fanart,
'audio_language': profile_id_to_language(movie['qualityProfileId']),
'scen_name': sceneName,
'monitored': unicode(bool(movie['monitored'])),
'sort_title': movie['sortTitle'],
'year': movie['year'],
'alternative_titles': alternativeTitles,
'format': format,
'resolution': resolution,
'video_codec': videoCodec,
'audio_codec': audioCodec,
'imdb_id': imdbId,
'forced': movie_default_forced})
else:
2019-08-13 17:08:14 +00:00
movies_to_add.append({'title': movie["title"],
'path': movie["path"] + separator + movie['movieFile']['relativePath'],
'tmdb_id': movie["tmdbId"],
'radarr_id': movie["id"],
'overview': overview,
'poster': poster,
'fanart': fanart,
'audio_language': profile_id_to_language(movie['qualityProfileId']),
'scene_name': sceneName,
'monitored': unicode(bool(movie['monitored'])),
'sort_title': movie['sortTitle'],
'year': movie['year'],
'alternative_titles': alternativeTitles,
'format': format,
'resolution': resolution,
'video_codec': videoCodec,
'audio_codec': audioCodec,
'imdb_id': imdbId})
else:
2019-01-15 16:25:13 +00:00
logging.error(
'BAZARR Radarr returned a movie without a file path: ' + movie["path"] + separator +
movie['movieFile']['relativePath'])
# Update or insert movies in DB
db = sqlite3.connect(os.path.join(args.config_dir, 'db', 'bazarr.db'), timeout=30)
c = db.cursor()
2019-01-15 16:25:13 +00:00
updated_result = c.executemany(
2019-02-11 03:42:42 +00:00
'''UPDATE table_movies SET title = ?, path = ?, tmdbId = ?, radarrId = ?, overview = ?, poster = ?, fanart = ?, `audio_language` = ?, sceneName = ?, monitored = ?, sortTitle = ?, year = ?, alternativeTitles = ?, format = ?, resolution = ?, video_codec = ?, audio_codec = ?, imdbId = ? WHERE tmdbid = ?''',
2019-01-15 16:25:13 +00:00
movies_to_update)
db.commit()
2019-01-15 16:25:13 +00:00
if movie_default_enabled is True:
2019-01-15 16:25:13 +00:00
added_result = c.executemany(
2019-05-24 17:42:54 +00:00
'''INSERT OR IGNORE INTO table_movies(title, path, tmdbId, languages, subtitles,`hearing_impaired`, radarrId, overview, poster, fanart, `audio_language`, sceneName, monitored, sortTitle, year, alternativeTitles, format, resolution, video_codec, audio_codec, imdbId, forced) VALUES (?,?,?,?,?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)''',
2019-01-15 16:25:13 +00:00
movies_to_add)
db.commit()
else:
2019-01-15 16:25:13 +00:00
added_result = c.executemany(
2019-05-24 17:42:54 +00:00
'''INSERT OR IGNORE INTO table_movies(title, path, tmdbId, languages, subtitles,`hearing_impaired`, radarrId, overview, poster, fanart, `audio_language`, sceneName, monitored, sortTitle, year, alternativeTitles, format, resolution, video_codec, audio_codec, imdbId, forced) VALUES (?,?,?,(SELECT languages FROM table_movies WHERE tmdbId = ?), '[]',(SELECT `hearing_impaired` FROM table_movies WHERE tmdbId = ?), ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, (SELECT `forced` FROM table_movies WHERE tmdbId = ?))''',
2019-01-15 16:25:13 +00:00
movies_to_add)
db.commit()
removed_movies = list(set(current_movies_db_list) - set(current_movies_radarr))
2018-10-02 18:38:37 +00:00
for removed_movie in removed_movies:
c.execute('DELETE FROM table_movies WHERE tmdbId = ?', (removed_movie,))
db.commit()
2018-05-29 16:18:59 +00:00
# Get movies list after INSERT and UPDATE
movies_now_in_db = c.execute('SELECT tmdbId, path, radarrId FROM table_movies').fetchall()
# Close database connection
db.close()
2018-04-19 23:45:10 +00:00
# Get only movies added or modified and store subtitles for them
altered_movies = set(movies_now_in_db).difference(set(current_movies_db))
for altered_movie in altered_movies:
store_subtitles_movie(path_replace_movie(altered_movie[1]))
list_missing_subtitles_movies(altered_movie[2])
# Search for desired subtitles if no more than 5 movies have been added.
if len(altered_movies) <= 5:
logging.debug("BAZARR No more than 5 movies were added during this sync then we'll search for subtitles.")
for altered_movie in altered_movies:
movies_download_subtitles(altered_movie[2])
else:
logging.debug("BAZARR More than 5 movies were added during this sync then we wont search for subtitles.")
2018-04-19 23:45:10 +00:00
2018-10-01 14:44:27 +00:00
logging.debug('BAZARR All movies synced from Radarr into database.')
2018-12-17 04:18:53 +00:00
2018-04-19 23:45:10 +00:00
def get_profile_list():
2018-12-15 00:36:28 +00:00
apikey_radarr = settings.radarr.apikey
2019-01-15 16:25:13 +00:00
2018-04-19 23:45:10 +00:00
# Get profiles data from radarr
global profiles_list
profiles_list = []
2019-01-15 16:25:13 +00:00
url_radarr_api_movies = url_radarr + "/api/profile?apikey=" + apikey_radarr
try:
2019-04-14 13:11:46 +00:00
profiles_json = requests.get(url_radarr_api_movies, timeout=60, verify=False)
except requests.exceptions.ConnectionError as errc:
logging.exception("BAZARR Error trying to get profiles from Radarr. Connection Error.")
except requests.exceptions.Timeout as errt:
logging.exception("BAZARR Error trying to get profiles from Radarr. Timeout Error.")
except requests.exceptions.RequestException as err:
logging.exception("BAZARR Error trying to get profiles from Radarr.")
else:
# Parsing data returned from radarr
for profile in profiles_json.json():
profiles_list.append([profile['id'], profile['language'].capitalize()])
2018-04-19 23:45:10 +00:00
2018-04-19 23:45:10 +00:00
def profile_id_to_language(id):
for profile in profiles_list:
if id == profile[0]:
return profile[1]
2019-02-08 03:34:54 +00:00
def RadarrFormatAudioCodec(audioFormat, audioCodecID, audioProfile, audioAdditionalFeatures):
if audioFormat == "AC-3": return "AC3"
if audioFormat == "E-AC-3": return "EAC3"
if audioFormat == "AAC":
if audioCodecID == "A_AAC/MPEG4/LC/SBR":
return "HE-AAC"
else:
return "AAC"
if audioFormat.strip() == "mp3": return "MP3"
if audioFormat == "MPEG Audio":
if audioCodecID == "55" or audioCodecID == "A_MPEG/L3" or audioProfile == "Layer 3": return "MP3"
if audioCodecID == "A_MPEG/L2" or audioProfile == "Layer 2": return "MP2"
if audioFormat == "MLP FBA":
if audioAdditionalFeatures == "16-ch":
return "TrueHD Atmos"
else:
return "TrueHD"
return audioFormat
def RadarrFormatVideoCodec(videoFormat, videoCodecID, videoProfile, videoCodecLibrary):
if videoFormat == "x264": return "h264"
if videoFormat == "AVC" or videoFormat == "V.MPEG4/ISO/AVC": return "h264"
if videoFormat == "HEVC" or videoFormat == "V_MPEGH/ISO/HEVC":
if videoCodecLibrary.startswith("x265"): return "h265"
if videoFormat == "MPEG Video":
if videoCodecID == "2" or videoCodecID == "V_MPEG2":
return "Mpeg2"
else:
return "Mpeg"
if videoFormat == "MPEG-1 Video": return "Mpeg"
if videoFormat == "MPEG-2 Video": return "Mpeg2"
if videoFormat == "MPEG-4 Visual":
if videoCodecID.endswith("XVID") or videoCodecLibrary.startswith("XviD"): return "XviD"
if videoCodecID.endswith("DIV3") or videoCodecID.endswith("DIVX") or videoCodecID.endswith(
"DX50") or videoCodecLibrary.startswith("DivX"): return "DivX"
if videoFormat == "VC-1": return "VC1"
if videoFormat == "WMV2":
return "WMV"
if videoFormat == "DivX" or videoFormat == "div3":
return "DivX"
return videoFormat
2018-04-19 23:45:10 +00:00
if __name__ == '__main__':
2018-08-06 00:41:03 +00:00
update_movies()