plex-prerolls/schedule_preroll.py

522 lines
21 KiB
Python
Raw Normal View History

2021-01-01 16:12:22 +00:00
#!/usr/bin/python
"""Schedule Plex server related Pre-roll Intro videos
A helper script to automate management of Plex pre-rolls.
Define when you want different pre-rolls to play throughout the year.
Set it and forget it!
Optional Arguments:
2021-01-01 18:51:22 +00:00
-h, --help show this help message and exit
-v, --version show the version number and exit
-lc LOG_CONFIG_FILE, --logconfig-path LOG_CONFIG_FILE
2021-01-01 18:51:22 +00:00
Path to logging config file. [Default: ./logging.conf]
-c CONFIG_FILE, --config-path CONFIG_FILE
Path to Config.ini to use for Plex Server info. [Default: ./config.ini]
-s SCHEDULE_FILE, --schedule-path SCHEDULE_FILE
Path to pre-roll schedule file (YAML) to be use. [Default: ./preroll_schedules.yaml]
2021-01-01 16:12:22 +00:00
Requirements:
- See Requirements.txt for Python modules
Scheduling:
Add to system scheduler such as:
> crontab -e
> 0 0 * * * python path/to/schedule_preroll.py >/dev/null 2>&1
Raises:
FileNotFoundError: [description]
KeyError: [description]
ConfigError: [description]
FileNotFoundError: [description]
"""
2021-01-01 16:12:22 +00:00
import os
import sys
import logging
import requests
from datetime import datetime, date, timedelta
2021-01-01 16:12:22 +00:00
import yaml
from typing import NamedTuple, Union, Optional, Tuple, List, Dict
from argparse import Namespace, ArgumentParser
2021-01-01 16:12:22 +00:00
from configparser import ConfigParser
from configparser import Error as ConfigError
from plexapi.server import PlexServer, CONFIG
# import local util modules
2021-01-01 16:12:22 +00:00
import plexutil
logger = logging.getLogger(__name__)
filename = os.path.basename(sys.argv[0])
SCRIPT_NAME = os.path.splitext(filename)[0]
#ScheduleEntry = Dict[str, Union[str, bool, date, datetime]]
class ScheduleEntry(NamedTuple):
type: str
startdate: Union[date,datetime]
enddate: Union[date,datetime]
force: bool
path: str
ScheduleType = Dict[str, ScheduleEntry]
def getArguments() -> Namespace:
2021-01-01 16:12:22 +00:00
"""Return command line arguments
See https://docs.python.org/3/howto/argparse.html
Returns:
argparse.Namespace: Namespace object
"""
description = 'Automate scheduling of pre-roll intros for Plex'
2021-01-07 03:57:06 +00:00
version = '0.9.1'
2021-01-01 16:12:22 +00:00
2021-01-07 03:57:06 +00:00
config_default = '' # './config.ini'
2021-01-01 18:31:15 +00:00
log_config_default = './logging.conf'
2021-01-01 16:12:22 +00:00
schedule_default = './preroll_schedules.yaml'
parser = ArgumentParser(description='{}'.format(description))
parser.add_argument('-v', '--version', action='version', version='%(prog)s {}'.format(version),
help='show the version number and exit')
2021-01-07 03:57:06 +00:00
parser.add_argument('-lc', '--logconfig-file',
dest='log_config_file', action='store',
default=log_config_default,
help='Path to logging config file. [Default: {}]'.format(log_config_default))
parser.add_argument('-t', '--test-run',
dest='do_test_run', action='store_true',
default=False,
help='Perform a test run, display output but dont save')
2021-01-07 03:57:06 +00:00
parser.add_argument('-c', '--config-file',
dest='config_file', action='store',
help='Path to Config.ini to use for Plex Server info. [Default: {}]'.format(config_default))
2021-01-07 03:57:06 +00:00
parser.add_argument('-s', '--schedule-file',
dest='schedule_file', action='store',
help='Path to pre-roll schedule file (YAML) to be use. [Default: {}]'.format(schedule_default))
2021-01-01 16:12:22 +00:00
args = parser.parse_args()
return args
def getYAMLSchema() -> Dict[str, List[ScheduleEntry]]:
2021-01-01 16:12:22 +00:00
"""Return the main schema layout of the preroll_schedules.yaml file
Returns:
Dict (List[ScheduleType]): Dict of main schema items
2021-01-01 16:12:22 +00:00
"""
schema = {'default': [],
'monthly': [],
'weekly': [],
'date_range': [],
'misc': []
} # type: Dict[str, List[ScheduleEntry]]
2021-01-01 16:12:22 +00:00
return schema
def getWeekRange(year:int, weeknum:int) -> Tuple[date, date]:
2021-01-01 16:12:22 +00:00
"""Return the starting/ending date range of a given year/week
Args:
2021-01-01 18:31:15 +00:00
year (int): Year to calc range for
weeknum (int): Month of the year (1-12)
2021-01-01 16:12:22 +00:00
Returns:
Date: Start date of the Year/Month
Date: End date of the Year/Month
"""
start = datetime.strptime('{}-W{}-0'.format(year, int(weeknum)-1),
"%Y-W%W-%w").date()
end = start + timedelta(days=6)
2021-01-01 16:12:22 +00:00
return start, end
def getMonthRange(year:int, monthnum:int) -> Tuple[date, date]:
2021-01-01 16:12:22 +00:00
"""Return the starting/ending date range of a given year/month
Args:
2021-01-01 18:31:15 +00:00
year (int): Year to calc range for
2021-01-01 16:12:22 +00:00
monthnum (int): Month of the year (1-12)
Returns:
Date: Start date of the Year/Month
Date: End date of the Year/Month
"""
start = date(year, monthnum, 1)
next_month = start.replace(day=28) + timedelta(days=4)
end = next_month - timedelta(days=next_month.day)
2021-01-01 16:12:22 +00:00
return start, end
def duration_seconds(start:Union[date,datetime], end:Union[date,datetime]) -> float:
"""Return length of time between two date/datetime in seconds
Args:
start (date/datetime): [description]
end (date/datetime): [description]
Returns:
float: Length in time seconds
"""
if not isinstance(start, datetime):
start = datetime.combine(start, datetime.min.time())
if not isinstance(end, datetime):
end = datetime.combine(end, datetime.max.time())
delta = end - start
logger.debug('duration_second[] Start: {} End: {} Duration: {}'.format(start, end, delta.total_seconds()))
return delta.total_seconds()
def getPrerollSchedule(schedule_file:Optional[str]=None) -> List[ScheduleEntry]:
2021-01-01 16:12:22 +00:00
"""Return a listing of defined preroll schedules for searching/use
2021-01-01 18:31:15 +00:00
Args:
schedule_file (str): path/to/schedule_preroll.yaml style config file (YAML Format)
2021-01-01 18:31:15 +00:00
2021-01-01 16:12:22 +00:00
Raises:
FileNotFoundError: If no schedule config file exists
Returns:
list: list of schedules (Dict: {Type, StartDate, EndDate, Path})
"""
default_files = ['preroll_schedules.yaml', 'preroll_schedules.yml']
2021-01-01 18:31:15 +00:00
filename = None
if schedule_file != '' and schedule_file != None:
if os.path.exists(str(schedule_file)):
2021-01-01 18:31:15 +00:00
filename = schedule_file
2021-01-01 16:12:22 +00:00
else:
msg = 'Pre-roll Schedule file "{}" not found'.format(schedule_file)
raise FileNotFoundError(msg)
2021-01-01 16:12:22 +00:00
else:
for f in default_files:
if os.path.exists(f):
2021-01-01 18:31:15 +00:00
filename = f
2021-01-01 16:12:22 +00:00
break
# if we still cant find a schedule file, we abort
2021-01-01 18:31:15 +00:00
if not filename:
msg = 'Missing schedule file: "{}"'.format('" / "'.join(default_files))
2021-01-01 16:12:22 +00:00
logger.critical(msg)
raise FileNotFoundError(msg)
2021-01-01 18:31:15 +00:00
with open(filename, 'r') as file:
contents = yaml.load(file, Loader=yaml.SafeLoader)
2021-01-01 16:12:22 +00:00
today = date.today()
schedule = [] # type: List[ScheduleEntry]
for schedule_section in getYAMLSchema():
if schedule_section == 'weekly':
2021-01-01 16:12:22 +00:00
try:
use = contents[schedule_section]['enabled']
2021-01-01 16:12:22 +00:00
if use:
for i in range(1,53):
try:
path = contents[schedule_section][i]
2021-01-01 16:12:22 +00:00
if path:
start, end = getWeekRange(today.year, i)
entry = ScheduleEntry(type=schedule_section,
force=False,
startdate=start,
enddate=end,
path=path)
2021-01-01 16:12:22 +00:00
schedule.append(entry)
except KeyError as ke:
2021-01-01 16:12:22 +00:00
# skip KeyError for missing Weeks
msg = 'Key Value not found: "{}"->"{}", skipping week'.format(schedule_section, i)
logger.debug(msg)
pass
except KeyError as ke:
msg = 'Key Value not found in "{}" section'.format(schedule_section)
logger.error(msg, exc_info=ke)
raise
elif schedule_section == 'monthly':
2021-01-01 16:12:22 +00:00
try:
use = contents[schedule_section]['enabled']
2021-01-01 16:12:22 +00:00
if use:
for i in range(1,13):
month_abrev = date(today.year, i, 1).strftime('%b').lower()
2021-01-01 16:12:22 +00:00
try:
path = contents[schedule_section][month_abrev]
2021-01-01 16:12:22 +00:00
if path:
start, end = getMonthRange(today.year, i)
entry = ScheduleEntry(type=schedule_section,
force=False,
startdate=start,
enddate=end,
path=path)
2021-01-01 16:12:22 +00:00
schedule.append(entry)
except KeyError as ke:
2021-01-01 16:12:22 +00:00
# skip KeyError for missing Months
msg = 'Key Value not found: "{}"->"{}", skipping month'.format(schedule_section, month_abrev)
logger.warning(msg)
pass
except KeyError as ke:
msg = 'Key Value not found in "{}" section'.format(schedule_section)
logger.error(msg, exc_info=ke)
raise
elif schedule_section == 'date_range':
2021-01-01 16:12:22 +00:00
try:
use = contents[schedule_section]['enabled']
2021-01-01 16:12:22 +00:00
if use:
for r in contents[schedule_section]['ranges']:
2021-01-01 16:12:22 +00:00
try:
path = r['path']
if path:
try:
force = r['force']
except KeyError as ke:
# special case Optional, ignore
force = False
pass
start = r['start_date']
end = r['end_date']
entry = ScheduleEntry(type=schedule_section,
force=force,
startdate=start,
enddate=end,
path=path)
2021-01-01 16:12:22 +00:00
schedule.append(entry)
except KeyError as ke:
msg = 'Key Value not found for entry: "{}"'.format(entry)
logger.error(msg, exc_info=ke)
raise
except KeyError as ke:
msg = 'Key Value not found in "{}" section'.format(schedule_section)
logger.error(msg, exc_info=ke)
raise
elif schedule_section == 'misc':
2021-01-01 16:12:22 +00:00
try:
use = contents[schedule_section]['enabled']
2021-01-01 16:12:22 +00:00
if use:
try:
path = contents[schedule_section]['always_use']
2021-01-01 16:12:22 +00:00
if path:
entry = ScheduleEntry(type=schedule_section,
force=False,
startdate=date(today.year, today.month, today.day),
enddate=date(today.year, today.month, today.day),
path=path)
2021-01-01 16:12:22 +00:00
schedule.append(entry)
except KeyError as ke:
msg = 'Key Value not found for entry: "{}"'.format(entry)
logger.error(msg, exc_info=ke)
raise
except KeyError as ke:
msg = 'Key Value not found in "{}" section'.format(schedule_section)
logger.error(msg, exc_info=ke)
raise
elif schedule_section == 'default':
2021-01-01 16:12:22 +00:00
try:
use = contents[schedule_section]['enabled']
2021-01-01 16:12:22 +00:00
if use:
try:
path = contents[schedule_section]['path']
2021-01-01 16:12:22 +00:00
if path:
entry = ScheduleEntry(type=schedule_section,
force=False,
startdate=date(today.year, today.month, today.day),
enddate=date(today.year, today.month, today.day),
path=path)
2021-01-01 16:12:22 +00:00
schedule.append(entry)
except KeyError as ke:
msg = 'Key Value not found for entry: "{}"'.format(entry)
logger.error(msg, exc_info=ke)
raise
except KeyError as ke:
msg = 'Key Value not found in "{}" section'.format(schedule_section)
logger.error(msg, exc_info=ke)
raise
2021-01-01 16:12:22 +00:00
else:
msg = 'Unknown schedule_section "{}" detected'.format(schedule_section)
logger.error(msg)
raise ValueError(msg)
2021-01-01 16:12:22 +00:00
# Sort list so most recent Ranges appear first
schedule.sort(reverse=True, key=lambda x:x.startdate)
#schedule.sort(reverse=False, key=lambda x:duration_seconds(x['startdate'], x['enddate']))
2021-01-01 16:12:22 +00:00
return schedule
def buildListingString(items:List[str], play_all:bool=False) -> str:
2021-01-01 16:12:22 +00:00
"""Build the Plex formatted string of preroll paths
Args:
2021-01-01 18:31:15 +00:00
items (list): List of preroll video paths to place into a string listing
play_all (bool, optional): Play all videos. [Default: False (Random choice)]
2021-01-01 16:12:22 +00:00
Returns:
string: CSV Listing (, or ;) based on play_all param of preroll video paths
"""
if play_all:
# use , to play all entries
listing = ','.join(items)
else:
#use ; to play random selection
listing = ';'.join(items)
return listing
def getPrerollListing(schedule:List[ScheduleEntry], for_datetime:Optional[datetime]=None) -> str:
2021-01-01 16:12:22 +00:00
"""Return listing of preroll videos to be used by Plex
2021-01-01 18:31:15 +00:00
Args:
schedule (List[ScheduleEntry]): List of schedule entries (See: getPrerollSchedule)
for_datetime (datetime, optional): Date to process pre-roll string for [Default: Today]
Useful if wanting to test what different schedules produce
2021-01-01 18:31:15 +00:00
2021-01-01 16:12:22 +00:00
Returns:
2021-01-01 18:31:15 +00:00
string: listing of preroll video paths to be used for Extras. CSV style: (;|,)
2021-01-01 16:12:22 +00:00
"""
listing = ''
entries = getYAMLSchema()
2021-01-01 16:12:22 +00:00
2021-01-01 18:31:15 +00:00
# prep the storage lists
for y in getYAMLSchema():
entries[y] = []
2021-01-01 16:12:22 +00:00
2021-01-01 18:31:15 +00:00
# determine which date to build the listing for
if for_datetime:
if isinstance(for_datetime, datetime):
check_datetime = for_datetime
else:
check_datetime = datetime.combine(for_datetime, datetime.now().time())
2021-01-01 18:31:15 +00:00
else:
check_datetime = datetime.now()
2021-01-01 18:31:15 +00:00
# process the schedule for the given date
2021-01-01 16:12:22 +00:00
for entry in schedule:
2021-01-01 18:31:15 +00:00
try:
entry_start = entry.startdate #['startdate']
entry_end = entry.enddate #['enddate']
if not isinstance(entry_start, datetime):
entry_start = datetime.combine(entry_start, datetime.min.time())
if not isinstance(entry_end, datetime):
entry_end = datetime.combine(entry_end, datetime.max.time())
msg = 'checking "{}" against: "{}" - "{}"'.format(check_datetime, entry_start, entry_end)
logger.debug(msg)
if entry_start <= check_datetime <= entry_end:
entry_type = entry.type #['type']
entry_path = entry.path #['path']
entry_force = False
try:
entry_force = entry.force #['force']
except KeyError as ke:
# special case Optional, ignore
pass
msg = 'Check PASS: Using "{}" - "{}"'.format(entry_start, entry_end)
logger.debug(msg)
if entry_path:
found = False
# check new schedule item against exist list
for e in entries[entry_type]:
duration_new = duration_seconds(entry_start, entry_end)
duration_curr = duration_seconds(e.startdate, e.enddate) #['startdate'], e['enddate'])
# only the narrowest timeframe should stay
# disregard if a force entry is there
if duration_new < duration_curr and e.force != True: #['force'] != True:
entries[entry_type].remove(e)
found = True
else:
found = True
# prep for use if New, or is a force Usage
if not found or entry_force == True:
entries[entry_type].append(entry)
2021-01-01 18:31:15 +00:00
except KeyError as ke:
msg = 'KeyError with entry "{}"'.format(entry)
logger.warning(msg, exc_info=ke)
raise
2021-01-01 16:12:22 +00:00
# Build the merged output based or order of Priority
merged_list = []
if entries['misc']:
merged_list.extend([p.path for p in entries['misc']])
2021-01-01 16:12:22 +00:00
if entries['date_range']:
merged_list.extend([p.path for p in entries['date_range']])
2021-01-01 16:12:22 +00:00
if entries['weekly'] and not entries['date_range']:
merged_list.extend([p.path for p in entries['weekly']])
2021-01-01 16:12:22 +00:00
if entries['monthly'] \
and not entries['weekly'] and not entries['date_range']:
merged_list.extend([p.path for p in entries['monthly']])
2021-01-01 16:12:22 +00:00
if entries['default'] \
and not entries['monthly'] and not entries['weekly'] and not entries['date_range']:
merged_list.extend([p.path for p in entries['default']])
2021-01-01 16:12:22 +00:00
listing = buildListingString(merged_list)
return listing
def savePrerollList(plex:PlexServer, preroll_listing:Union[str, List[str]]) -> None:
2021-01-01 16:12:22 +00:00
"""Save Plex Preroll info to PlexServer settings
Args:
plex (PlexServer): Plex server to update
preroll_listing (str, list[str]): csv listing or List of preroll paths to save
2021-01-01 16:12:22 +00:00
"""
# if happend to send in an Iterable List, merge to a string
if type(preroll_listing) is list:
preroll_listing = buildListingString(list(preroll_listing))
msg = 'Attempting save of pre-rolls: "{}"'.format(preroll_listing)
logger.debug(msg)
2021-01-01 16:12:22 +00:00
plex.settings.get('cinemaTrailersPrerollID').set(preroll_listing)
plex.settings.save()
msg = 'Saved Pre-Rolls: Server: "{}" Pre-Rolls: "{}"'.format(plex.friendlyName, preroll_listing)
logger.info(msg)
2021-01-01 16:12:22 +00:00
if __name__ == '__main__':
args = getArguments()
2021-01-01 18:31:15 +00:00
plexutil.setupLogger(args.log_config_file)
2021-01-01 16:12:22 +00:00
cfg = plexutil.getPlexConfig(args.config_file)
# Initialize Session information
sess = requests.Session()
# Ignore verifying the SSL certificate
sess.verify = False # '/path/to/certfile'
# If verify is set to a path of a directory (not a cert file),
# the directory needs to be processed with the c_rehash utility
# from OpenSSL.
if sess.verify is False:
# Disable the warning that the request is insecure, we know that...
import urllib3
urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)
try:
plex = PlexServer(cfg['PLEX_URL'], cfg['PLEX_TOKEN'], session=sess)
except Exception as e:
msg = 'Error connecting to Plex'
logger.error(msg, exc_info=e)
2021-01-01 16:12:22 +00:00
raise e
2021-01-01 18:31:15 +00:00
schedule = getPrerollSchedule(args.schedule_file)
prerolls = getPrerollListing(schedule)
2021-01-01 18:31:15 +00:00
if args.do_test_run:
msg = 'Test Run of Plex Pre-Rolls: **Nothing being saved**\n{}\n'.format(prerolls)
logger.debug(msg)
print(msg)
else:
savePrerollList(plex, prerolls)