mirror of
https://github.com/morpheus65535/bazarr.git
synced 2025-01-11 17:27:42 +08:00
Merge remote-tracking branch 'origin/morpheus' into Flask
This commit is contained in:
commit
99d58b299f
6 changed files with 433 additions and 19 deletions
|
@ -51,9 +51,9 @@ def start_bazarr():
|
|||
break
|
||||
if PY3:
|
||||
sys.stdout.buffer.write(line)
|
||||
sys.stdout.flush()
|
||||
else:
|
||||
sys.stdout.write(line)
|
||||
sys.stdout.flush()
|
||||
except KeyboardInterrupt:
|
||||
pass
|
||||
|
||||
|
|
402
bazarr/api.py
Normal file
402
bazarr/api.py
Normal file
|
@ -0,0 +1,402 @@
|
|||
import os
|
||||
import ast
|
||||
import libs
|
||||
from datetime import timedelta
|
||||
import datetime
|
||||
import pretty
|
||||
|
||||
from get_args import args
|
||||
from config import settings
|
||||
|
||||
from init import *
|
||||
import logging
|
||||
from database import database
|
||||
from helper import path_replace, path_replace_reverse, path_replace_movie, path_replace_reverse_movie
|
||||
from get_languages import load_language_in_db, alpha2_from_language, alpha3_from_language, language_from_alpha2, \
|
||||
alpha3_from_alpha2
|
||||
|
||||
from flask import Flask, jsonify, request
|
||||
from flask_restful import Resource, Api
|
||||
|
||||
app = Flask(__name__)
|
||||
api = Api(app)
|
||||
|
||||
load_language_in_db()
|
||||
|
||||
|
||||
class Badges(Resource):
|
||||
def get(self):
|
||||
result = {
|
||||
"missing_episodes": database.execute("SELECT COUNT(*) as count FROM table_episodes WHERE missing_subtitles "
|
||||
"is not null AND missing_subtitles != '[]'", only_one=True)['count'],
|
||||
"missing_movies": database.execute("SELECT COUNT(*) as count FROM table_movies WHERE missing_subtitles "
|
||||
"is not null AND missing_subtitles != '[]'", only_one=True)['count'],
|
||||
"throttled_providers": len(eval(str(settings.general.throtteled_providers)))
|
||||
}
|
||||
return jsonify(result)
|
||||
|
||||
|
||||
class Series(Resource):
|
||||
def get(self):
|
||||
seriesId = request.args.get('id')
|
||||
if seriesId:
|
||||
result = database.execute("SELECT * FROM table_shows WHERE sonarrSeriesId=?", (seriesId,))
|
||||
else:
|
||||
result = database.execute("SELECT * FROM table_shows")
|
||||
for item in result:
|
||||
# Parse audio language
|
||||
if item['audio_language']:
|
||||
item.update({"audio_language": {"name": item['audio_language'],
|
||||
"code2": alpha2_from_language(item['audio_language']),
|
||||
"code3": alpha3_from_language(item['audio_language'])}})
|
||||
|
||||
# Parse desired languages
|
||||
if item['languages'] and item['languages'] != 'None':
|
||||
item.update({"languages": ast.literal_eval(item['languages'])})
|
||||
for i, subs in enumerate(item['languages']):
|
||||
item['languages'][i] = {"name": language_from_alpha2(subs),
|
||||
"code2": subs,
|
||||
"code3": alpha3_from_alpha2(subs)}
|
||||
|
||||
# Parse alternate titles
|
||||
if item['alternateTitles']:
|
||||
item.update({"alternateTitles": ast.literal_eval(item['alternateTitles'])})
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isdir(mapped_path)})
|
||||
|
||||
# Add missing subtitles episode count
|
||||
item.update({"episodeMissingCount": database.execute("SELECT COUNT(*) as count FROM table_episodes WHERE "
|
||||
"sonarrSeriesId=? AND missing_subtitles is not null "
|
||||
"AND missing_subtitles != '[]'", (seriesId,),
|
||||
only_one=True)['count']})
|
||||
|
||||
# Add episode count
|
||||
item.update({"episodeFileCount": database.execute("SELECT COUNT(*) as count FROM table_episodes WHERE "
|
||||
"sonarrSeriesId=?", (seriesId,),
|
||||
only_one=True)['count']})
|
||||
return jsonify(result)
|
||||
|
||||
|
||||
class Episodes(Resource):
|
||||
def get(self):
|
||||
seriesId = request.args.get('id')
|
||||
if seriesId:
|
||||
result = database.execute("SELECT * FROM table_episodes WHERE sonarrSeriesId=?", (seriesId,))
|
||||
else:
|
||||
result = database.execute("SELECT * FROM table_episodes")
|
||||
for item in result:
|
||||
# Parse subtitles
|
||||
if item['subtitles']:
|
||||
item.update({"subtitles": ast.literal_eval(item['subtitles'])})
|
||||
for subs in item['subtitles']:
|
||||
subs[0] = {"name": language_from_alpha2(subs[0]),
|
||||
"code2": subs[0],
|
||||
"code3": alpha3_from_alpha2(subs[0])}
|
||||
|
||||
# Parse missing subtitles
|
||||
if item['missing_subtitles']:
|
||||
item.update({"missing_subtitles": ast.literal_eval(item['missing_subtitles'])})
|
||||
for i, subs in enumerate(item['missing_subtitles']):
|
||||
item['missing_subtitles'][i] = {"name": language_from_alpha2(subs),
|
||||
"code2": subs,
|
||||
"code3": alpha3_from_alpha2(subs)}
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
return jsonify(result)
|
||||
|
||||
|
||||
class Movies(Resource):
|
||||
def get(self):
|
||||
moviesId = request.args.get('id')
|
||||
if moviesId:
|
||||
result = database.execute("SELECT * FROM table_movies WHERE radarrId=?", (moviesId,))
|
||||
else:
|
||||
result = database.execute("SELECT * FROM table_movies")
|
||||
for item in result:
|
||||
# Parse audio language
|
||||
if item['audio_language']:
|
||||
item.update({"audio_language": {"name": item['audio_language'],
|
||||
"code2": alpha2_from_language(item['audio_language']),
|
||||
"code3": alpha3_from_language(item['audio_language'])}})
|
||||
|
||||
# Parse desired languages
|
||||
if item['languages'] and item['languages'] != 'None':
|
||||
item.update({"languages": ast.literal_eval(item['languages'])})
|
||||
for i, subs in enumerate(item['languages']):
|
||||
item['languages'][i] = {"name": language_from_alpha2(subs),
|
||||
"code2": subs,
|
||||
"code3": alpha3_from_alpha2(subs)}
|
||||
|
||||
# Parse alternate titles
|
||||
if item['alternativeTitles']:
|
||||
item.update({"alternativeTitles": ast.literal_eval(item['alternativeTitles'])})
|
||||
|
||||
# Parse failed attempts
|
||||
if item['failedAttempts']:
|
||||
item.update({"failedAttempts": ast.literal_eval(item['failedAttempts'])})
|
||||
|
||||
# Parse subtitles
|
||||
if item['subtitles']:
|
||||
item.update({"subtitles": ast.literal_eval(item['subtitles'])})
|
||||
for subs in item['subtitles']:
|
||||
subs[0] = {"name": language_from_alpha2(subs[0]),
|
||||
"code2": subs[0],
|
||||
"code3": alpha3_from_alpha2(subs[0])}
|
||||
|
||||
# Parse missing subtitles
|
||||
if item['missing_subtitles']:
|
||||
item.update({"missing_subtitles": ast.literal_eval(item['missing_subtitles'])})
|
||||
for i, subs in enumerate(item['missing_subtitles']):
|
||||
item['missing_subtitles'][i] = {"name": language_from_alpha2(subs),
|
||||
"code2": subs,
|
||||
"code3": alpha3_from_alpha2(subs)}
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace_movie(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
return jsonify(result)
|
||||
|
||||
|
||||
class HistorySeries(Resource):
|
||||
def get(self):
|
||||
upgradable_episodes_not_perfect = []
|
||||
if settings.general.getboolean('upgrade_subs'):
|
||||
days_to_upgrade_subs = settings.general.days_to_upgrade_subs
|
||||
minimum_timestamp = ((datetime.datetime.now() - timedelta(days=int(days_to_upgrade_subs))) -
|
||||
datetime.datetime(1970, 1, 1)).total_seconds()
|
||||
|
||||
if settings.general.getboolean('upgrade_manual'):
|
||||
query_actions = [1, 2, 3]
|
||||
else:
|
||||
query_actions = [1, 3]
|
||||
|
||||
if settings.sonarr.getboolean('only_monitored'):
|
||||
series_monitored_only_query_string = " AND monitored='True'"
|
||||
else:
|
||||
series_monitored_only_query_string = ''
|
||||
|
||||
upgradable_episodes = database.execute(
|
||||
"SELECT video_path, MAX(timestamp) as timestamp, score FROM table_history "
|
||||
"INNER JOIN table_episodes on table_episodes.sonarrEpisodeId = "
|
||||
"table_history.sonarrEpisodeId WHERE action IN (" +
|
||||
','.join(map(str, query_actions)) + ") AND timestamp > ? AND "
|
||||
"score is not null" + series_monitored_only_query_string + " GROUP BY "
|
||||
"table_history.video_path, table_history.language",
|
||||
(minimum_timestamp,))
|
||||
|
||||
for upgradable_episode in upgradable_episodes:
|
||||
if upgradable_episode['timestamp'] > minimum_timestamp:
|
||||
try:
|
||||
int(upgradable_episode['score'])
|
||||
except ValueError:
|
||||
pass
|
||||
else:
|
||||
if int(upgradable_episode['score']) < 360:
|
||||
upgradable_episodes_not_perfect.append(upgradable_episode)
|
||||
|
||||
data = database.execute("SELECT table_history.action, table_shows.title as seriesTitle, "
|
||||
"table_episodes.season || 'x' || table_episodes.episode as episode_number, "
|
||||
"table_episodes.title as episodeTitle, table_history.timestamp, "
|
||||
"table_history.description, table_history.sonarrSeriesId, table_episodes.path, "
|
||||
"table_history.language, table_history.score FROM table_history LEFT JOIN table_shows "
|
||||
"on table_shows.sonarrSeriesId = table_history.sonarrSeriesId LEFT JOIN table_episodes "
|
||||
"on table_episodes.sonarrEpisodeId = table_history.sonarrEpisodeId WHERE "
|
||||
"table_episodes.title is not NULL ORDER BY timestamp DESC")
|
||||
|
||||
for item in data:
|
||||
# Mark episode as upgradable or not
|
||||
if {"video_path": str(item['path']), "timestamp": float(item['timestamp']), "score": str(item['score'])} in upgradable_episodes_not_perfect:
|
||||
item.update({"upgradable": True})
|
||||
else:
|
||||
item.update({"upgradable": False})
|
||||
|
||||
# Parse language
|
||||
if item['language'] and item['language'] != 'None':
|
||||
splitted_language = item['language'].split(':')
|
||||
item['language'] = {"name": language_from_alpha2(splitted_language[0]),
|
||||
"code2": splitted_language[0],
|
||||
"code3": alpha3_from_alpha2(splitted_language[0]),
|
||||
"forced": True if len(splitted_language) > 1 else False}
|
||||
|
||||
# Make timestamp pretty
|
||||
if item['timestamp']:
|
||||
item['timestamp'] = pretty.date(int(item['timestamp']))
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
|
||||
return jsonify(data)
|
||||
|
||||
|
||||
class HistoryMovies(Resource):
|
||||
def get(self):
|
||||
upgradable_movies = []
|
||||
upgradable_movies_not_perfect = []
|
||||
if settings.general.getboolean('upgrade_subs'):
|
||||
days_to_upgrade_subs = settings.general.days_to_upgrade_subs
|
||||
minimum_timestamp = ((datetime.datetime.now() - timedelta(days=int(days_to_upgrade_subs))) -
|
||||
datetime.datetime(1970, 1, 1)).total_seconds()
|
||||
|
||||
if settings.radarr.getboolean('only_monitored'):
|
||||
movies_monitored_only_query_string = ' AND table_movies.monitored = "True"'
|
||||
else:
|
||||
movies_monitored_only_query_string = ""
|
||||
|
||||
if settings.general.getboolean('upgrade_manual'):
|
||||
query_actions = [1, 2, 3]
|
||||
else:
|
||||
query_actions = [1, 3]
|
||||
|
||||
upgradable_movies = database.execute(
|
||||
"SELECT video_path, MAX(timestamp) as timestamp, score FROM table_history_movie "
|
||||
"INNER JOIN table_movies on table_movies.radarrId=table_history_movie.radarrId WHERE action IN (" +
|
||||
','.join(map(str, query_actions)) + ") AND timestamp > ? AND score is not NULL" +
|
||||
movies_monitored_only_query_string + " GROUP BY video_path, language", (minimum_timestamp,))
|
||||
|
||||
for upgradable_movie in upgradable_movies:
|
||||
if upgradable_movie['timestamp'] > minimum_timestamp:
|
||||
try:
|
||||
int(upgradable_movie['score'])
|
||||
except ValueError:
|
||||
pass
|
||||
else:
|
||||
if int(upgradable_movie['score']) < 120:
|
||||
upgradable_movies_not_perfect.append(upgradable_movie)
|
||||
|
||||
data = database.execute("SELECT table_history_movie.action, table_movies.title, table_history_movie.timestamp, "
|
||||
"table_history_movie.description, table_history_movie.radarrId, "
|
||||
"table_history_movie.video_path, table_history_movie.language, "
|
||||
"table_history_movie.score FROM table_history_movie LEFT JOIN table_movies on "
|
||||
"table_movies.radarrId = table_history_movie.radarrId ORDER BY timestamp DESC")
|
||||
|
||||
for item in data:
|
||||
# Mark movies as upgradable or not
|
||||
if {"video_path": str(item['video_path']), "timestamp": float(item['timestamp']), "score": str(item['score'])} in upgradable_movies_not_perfect:
|
||||
item.update({"upgradable": True})
|
||||
else:
|
||||
item.update({"upgradable": False})
|
||||
|
||||
# Parse language
|
||||
if item['language'] and item['language'] != 'None':
|
||||
splitted_language = item['language'].split(':')
|
||||
item['language'] = {"name": language_from_alpha2(splitted_language[0]),
|
||||
"code2": splitted_language[0],
|
||||
"code3": alpha3_from_alpha2(splitted_language[0]),
|
||||
"forced": True if len(splitted_language) > 1 else False}
|
||||
|
||||
# Make timestamp pretty
|
||||
if item['timestamp']:
|
||||
item['timestamp'] = pretty.date(int(item['timestamp']))
|
||||
|
||||
if item['video_path']:
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace_movie(item['video_path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
else:
|
||||
item.update({"mapped_path": None})
|
||||
item.update({"exist": False})
|
||||
|
||||
return jsonify(data)
|
||||
|
||||
|
||||
class WantedSeries(Resource):
|
||||
def get(self):
|
||||
if settings.sonarr.getboolean('only_monitored'):
|
||||
monitored_only_query_string = " AND monitored='True'"
|
||||
else:
|
||||
monitored_only_query_string = ''
|
||||
|
||||
data = database.execute("SELECT table_shows.title as seriesTitle, "
|
||||
"table_episodes.season || 'x' || table_episodes.episode as episode_number, "
|
||||
"table_episodes.title as episodeTitle, table_episodes.missing_subtitles, "
|
||||
"table_episodes.sonarrSeriesId, table_episodes.path, table_shows.hearing_impaired, "
|
||||
"table_episodes.sonarrEpisodeId, table_episodes.scene_name, "
|
||||
"table_episodes.failedAttempts FROM table_episodes INNER JOIN table_shows on "
|
||||
"table_shows.sonarrSeriesId = table_episodes.sonarrSeriesId WHERE "
|
||||
"table_episodes.missing_subtitles != '[]'" + monitored_only_query_string +
|
||||
" ORDER BY table_episodes._rowid_ DESC")
|
||||
|
||||
for item in data:
|
||||
# Parse missing subtitles
|
||||
if item['missing_subtitles']:
|
||||
item.update({"missing_subtitles": ast.literal_eval(item['missing_subtitles'])})
|
||||
for i, subs in enumerate(item['missing_subtitles']):
|
||||
splitted_subs = subs.split(':')
|
||||
item['missing_subtitles'][i] = {"name": language_from_alpha2(splitted_subs[0]),
|
||||
"code2": splitted_subs[0],
|
||||
"code3": alpha3_from_alpha2(splitted_subs[0]),
|
||||
"forced": True if len(splitted_subs) > 1 else False}
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
|
||||
return jsonify(data)
|
||||
|
||||
|
||||
class WantedMovies(Resource):
|
||||
def get(self):
|
||||
if settings.radarr.getboolean('only_monitored'):
|
||||
monitored_only_query_string = " AND monitored='True'"
|
||||
else:
|
||||
monitored_only_query_string = ''
|
||||
|
||||
data = database.execute("SELECT title, missing_subtitles, radarrId, path, hearing_impaired, sceneName, "
|
||||
"failedAttempts FROM table_movies WHERE missing_subtitles != '[]'" +
|
||||
monitored_only_query_string + " ORDER BY _rowid_ DESC")
|
||||
|
||||
for item in data:
|
||||
# Parse missing subtitles
|
||||
if item['missing_subtitles']:
|
||||
item.update({"missing_subtitles": ast.literal_eval(item['missing_subtitles'])})
|
||||
for i, subs in enumerate(item['missing_subtitles']):
|
||||
splitted_subs = subs.split(':')
|
||||
item['missing_subtitles'][i] = {"name": language_from_alpha2(splitted_subs[0]),
|
||||
"code2": splitted_subs[0],
|
||||
"code3": alpha3_from_alpha2(splitted_subs[0]),
|
||||
"forced": True if len(splitted_subs) > 1 else False}
|
||||
|
||||
# Provide mapped path
|
||||
mapped_path = path_replace_movie(item['path'])
|
||||
item.update({"mapped_path": mapped_path})
|
||||
|
||||
# Confirm if path exist
|
||||
item.update({"exist": os.path.isfile(mapped_path)})
|
||||
|
||||
return jsonify(data)
|
||||
|
||||
|
||||
api.add_resource(Badges, '/api/badges')
|
||||
api.add_resource(Series, '/api/series')
|
||||
api.add_resource(Episodes, '/api/episodes')
|
||||
api.add_resource(Movies, '/api/movies')
|
||||
api.add_resource(HistorySeries, '/api/history_series')
|
||||
api.add_resource(HistoryMovies, '/api/history_movies')
|
||||
api.add_resource(WantedSeries, '/api/wanted_series')
|
||||
api.add_resource(WantedMovies, '/api/wanted_movies')
|
||||
|
||||
if __name__ == '__main__':
|
||||
app.run(debug=True)
|
|
@ -29,35 +29,37 @@ def load_language_in_db():
|
|||
# Update languages in database table
|
||||
database.execute("UPDATE table_settings_languages SET code3b=? WHERE code3=?", langs, execute_many=True)
|
||||
|
||||
# Create languages dictionary for faster conversion than calling database
|
||||
create_languages_dict()
|
||||
|
||||
|
||||
def create_languages_dict():
|
||||
global languages_dict
|
||||
languages_dict = database.execute("SELECT name, code2, code3, code3b FROM table_settings_languages")
|
||||
|
||||
|
||||
def language_from_alpha2(lang):
|
||||
result = database.execute("SELECT name FROM table_settings_languages WHERE code2=?", (lang,))
|
||||
return result[0]['name'] or None
|
||||
return next((item["name"] for item in languages_dict if item["code2"] == lang), None)
|
||||
|
||||
|
||||
def language_from_alpha3(lang):
|
||||
result = database.execute("SELECT name FROM table_settings_languages WHERE code3=? or code3b=?", (lang, lang))
|
||||
return result[0]['name'] or None
|
||||
return next((item["name"] for item in languages_dict if item["code3"] == lang or item["code3b"] == lang), None)
|
||||
|
||||
|
||||
def alpha2_from_alpha3(lang):
|
||||
result = database.execute("SELECT code2 FROM table_settings_languages WHERE code3=? or code3b=?", (lang, lang))
|
||||
return result[0]['code2'] or None
|
||||
return next((item["code2"] for item in languages_dict if item["code3"] == lang or item["code3b"] == lang), None)
|
||||
|
||||
|
||||
def alpha2_from_language(lang):
|
||||
result = database.execute("SELECT code2 FROM table_settings_languages WHERE name=?", (lang,))
|
||||
return result[0]['code2'] or None
|
||||
return next((item["code2"] for item in languages_dict if item["name"] == lang), None)
|
||||
|
||||
|
||||
def alpha3_from_alpha2(lang):
|
||||
result = database.execute("SELECT code3 FROM table_settings_languages WHERE code2=?", (lang,))
|
||||
return result[0]['code3'] or None
|
||||
return next((item["code3"] for item in languages_dict if item["code2"] == lang), None)
|
||||
|
||||
|
||||
def alpha3_from_language(lang):
|
||||
result = database.execute("SELECT code3 FROM table_settings_languages WHERE name=?", (lang,))
|
||||
return result[0]['code3'] or None
|
||||
return next((item["code3"] for item in languages_dict if item["name"] == lang), None)
|
||||
|
||||
|
||||
def get_language_set():
|
||||
|
|
|
@ -11,11 +11,19 @@ from bs4 import UnicodeDammit
|
|||
from config import settings
|
||||
|
||||
|
||||
def create_path_mapping_dict():
|
||||
global path_mapping_series
|
||||
path_mapping_series = ast.literal_eval(settings.general.path_mappings)
|
||||
|
||||
global path_mapping_movies
|
||||
path_mapping_movies = ast.literal_eval(settings.general.path_mappings_movie)
|
||||
|
||||
|
||||
def path_replace(path):
|
||||
if path is None:
|
||||
return None
|
||||
|
||||
for path_mapping in ast.literal_eval(settings.general.path_mappings):
|
||||
for path_mapping in path_mapping_series:
|
||||
if path_mapping[0] == path_mapping[1]:
|
||||
continue
|
||||
if '' in path_mapping:
|
||||
|
@ -34,7 +42,7 @@ def path_replace_reverse(path):
|
|||
if path is None:
|
||||
return None
|
||||
|
||||
for path_mapping in ast.literal_eval(settings.general.path_mappings):
|
||||
for path_mapping in path_mapping_series:
|
||||
if path_mapping[0] == path_mapping[1]:
|
||||
continue
|
||||
if '' in path_mapping:
|
||||
|
@ -53,7 +61,7 @@ def path_replace_movie(path):
|
|||
if path is None:
|
||||
return None
|
||||
|
||||
for path_mapping in ast.literal_eval(settings.general.path_mappings_movie):
|
||||
for path_mapping in path_mapping_movies:
|
||||
if path_mapping[0] == path_mapping[1]:
|
||||
continue
|
||||
if '' in path_mapping:
|
||||
|
@ -72,7 +80,7 @@ def path_replace_reverse_movie(path):
|
|||
if path is None:
|
||||
return None
|
||||
|
||||
for path_mapping in ast.literal_eval(settings.general.path_mappings_movie):
|
||||
for path_mapping in path_mapping_movies:
|
||||
if path_mapping[0] == path_mapping[1]:
|
||||
continue
|
||||
if '' in path_mapping:
|
||||
|
|
|
@ -9,6 +9,7 @@ from cork import Cork
|
|||
from config import settings
|
||||
from get_args import args
|
||||
from logger import configure_logging
|
||||
from helper import create_path_mapping_dict
|
||||
|
||||
from dogpile.cache.region import register_backend as register_cache_backend
|
||||
import subliminal
|
||||
|
@ -130,3 +131,4 @@ def init_binaries():
|
|||
|
||||
|
||||
init_binaries()
|
||||
create_path_mapping_dict()
|
||||
|
|
|
@ -179,9 +179,9 @@ class VideoFileParser:
|
|||
if PY3:
|
||||
command = [parser] + commandArgs + [inputFile]
|
||||
completedProcess = subprocess.run(
|
||||
command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, encoding="utf-8"
|
||||
command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, text=True
|
||||
)
|
||||
if completedProcess.returncode != 0:
|
||||
if completedProcess.returncode:
|
||||
raise IOError(
|
||||
"Error occurred during execution - " + completedProcess.stderr
|
||||
)
|
||||
|
|
Loading…
Reference in a new issue