2016-03-21 04:26:02 +00:00
|
|
|
# -*- coding: utf-8 -*-
|
2017-08-13 05:58:08 +00:00
|
|
|
import logging
|
|
|
|
import os
|
|
|
|
import re
|
|
|
|
import requests
|
|
|
|
import time
|
|
|
|
import zipfile
|
2019-02-06 23:47:35 +00:00
|
|
|
from datetime import datetime
|
2017-08-13 05:50:40 +00:00
|
|
|
from getpass import getpass
|
2018-09-14 18:28:35 +00:00
|
|
|
from threading import Thread, Event
|
2017-08-15 03:40:28 +00:00
|
|
|
from tqdm import tqdm
|
2019-08-22 12:25:38 +00:00
|
|
|
from plexapi import compat
|
2017-02-27 05:50:48 +00:00
|
|
|
from plexapi.exceptions import NotFound
|
2016-03-17 04:51:20 +00:00
|
|
|
|
2019-08-22 12:25:38 +00:00
|
|
|
log = logging.getLogger('plexapi')
|
2019-07-26 11:16:55 +00:00
|
|
|
|
2016-03-31 20:52:48 +00:00
|
|
|
# Search Types - Plex uses these to filter specific media types when searching.
|
2017-02-04 19:18:10 +00:00
|
|
|
# Library Types - Populated at runtime
|
2018-09-14 18:03:23 +00:00
|
|
|
SEARCHTYPES = {'movie': 1, 'show': 2, 'season': 3, 'episode': 4, 'trailer': 5, 'comic': 6, 'person': 7,
|
|
|
|
'artist': 8, 'album': 9, 'track': 10, 'picture': 11, 'clip': 12, 'photo': 13, 'photoalbum': 14,
|
|
|
|
'playlist': 15, 'playlistFolder': 16, 'collection': 18, 'userPlaylistItem': 1001}
|
2017-02-13 02:55:55 +00:00
|
|
|
PLEXOBJECTS = {}
|
2016-12-16 00:17:02 +00:00
|
|
|
|
|
|
|
|
2017-01-26 06:33:01 +00:00
|
|
|
class SecretsFilter(logging.Filter):
|
|
|
|
""" Logging filter to hide secrets. """
|
2017-07-17 23:14:16 +00:00
|
|
|
|
2017-01-26 06:33:01 +00:00
|
|
|
def __init__(self, secrets=None):
|
|
|
|
self.secrets = secrets or set()
|
|
|
|
|
|
|
|
def add_secret(self, secret):
|
2017-02-13 06:37:23 +00:00
|
|
|
if secret is not None:
|
|
|
|
self.secrets.add(secret)
|
|
|
|
return secret
|
2017-01-26 06:33:01 +00:00
|
|
|
|
|
|
|
def filter(self, record):
|
|
|
|
cleanargs = list(record.args)
|
|
|
|
for i in range(len(cleanargs)):
|
2017-02-27 04:59:46 +00:00
|
|
|
if isinstance(cleanargs[i], compat.string_type):
|
2017-01-26 06:44:55 +00:00
|
|
|
for secret in self.secrets:
|
|
|
|
cleanargs[i] = cleanargs[i].replace(secret, '<hidden>')
|
2017-01-26 06:33:01 +00:00
|
|
|
record.args = tuple(cleanargs)
|
|
|
|
return True
|
2014-12-29 03:21:58 +00:00
|
|
|
|
2016-03-17 04:51:20 +00:00
|
|
|
|
2017-02-13 02:55:55 +00:00
|
|
|
def registerPlexObject(cls):
|
2017-02-04 19:46:51 +00:00
|
|
|
""" Registry of library types we may come across when parsing XML. This allows us to
|
|
|
|
define a few helper functions to dynamically convery the XML into objects. See
|
|
|
|
buildItem() below for an example.
|
2016-12-16 00:17:02 +00:00
|
|
|
"""
|
2017-02-13 02:55:55 +00:00
|
|
|
etype = getattr(cls, 'STREAMTYPE', cls.TYPE)
|
|
|
|
ehash = '%s.%s' % (cls.TAG, etype) if etype else cls.TAG
|
|
|
|
if ehash in PLEXOBJECTS:
|
|
|
|
raise Exception('Ambiguous PlexObject definition %s(tag=%s, type=%s) with %s' %
|
|
|
|
(cls.__name__, cls.TAG, etype, PLEXOBJECTS[ehash].__name__))
|
|
|
|
PLEXOBJECTS[ehash] = cls
|
2017-02-04 19:46:51 +00:00
|
|
|
return cls
|
2017-01-09 14:21:54 +00:00
|
|
|
|
2014-12-29 03:21:58 +00:00
|
|
|
|
2016-03-17 05:14:31 +00:00
|
|
|
def cast(func, value):
|
2017-02-03 06:29:19 +00:00
|
|
|
""" Cast the specified value to the specified type (returned by func). Currently this
|
|
|
|
only support int, float, bool. Should be extended if needed.
|
2017-01-03 22:58:35 +00:00
|
|
|
|
2017-01-26 05:25:13 +00:00
|
|
|
Parameters:
|
2017-02-03 06:29:19 +00:00
|
|
|
func (func): Calback function to used cast to type (int, bool, float).
|
2017-01-26 05:25:13 +00:00
|
|
|
value (any): value to be cast and returned.
|
2016-12-16 23:38:08 +00:00
|
|
|
"""
|
2017-02-04 17:43:50 +00:00
|
|
|
if value is not None:
|
2017-02-03 15:25:11 +00:00
|
|
|
if func == bool:
|
|
|
|
return bool(int(value))
|
|
|
|
elif func in (int, float):
|
|
|
|
try:
|
|
|
|
return func(value)
|
|
|
|
except ValueError:
|
|
|
|
return float('nan')
|
|
|
|
return func(value)
|
|
|
|
return value
|
2016-03-17 05:14:31 +00:00
|
|
|
|
|
|
|
|
|
|
|
def joinArgs(args):
|
2017-01-26 05:25:13 +00:00
|
|
|
""" Returns a query string (uses for HTTP URLs) where only the value is URL encoded.
|
|
|
|
Example return value: '?genre=action&type=1337'.
|
2016-12-16 23:38:08 +00:00
|
|
|
|
2017-01-26 05:25:13 +00:00
|
|
|
Parameters:
|
|
|
|
args (dict): Arguments to include in query string.
|
2016-12-16 23:38:08 +00:00
|
|
|
"""
|
2016-12-16 00:17:02 +00:00
|
|
|
if not args:
|
|
|
|
return ''
|
2016-03-17 05:14:31 +00:00
|
|
|
arglist = []
|
2016-12-16 00:17:02 +00:00
|
|
|
for key in sorted(args, key=lambda x: x.lower()):
|
2017-07-30 05:02:10 +00:00
|
|
|
value = compat.ustr(args[key])
|
2017-02-27 04:59:46 +00:00
|
|
|
arglist.append('%s=%s' % (key, compat.quote(value)))
|
2016-03-17 05:14:31 +00:00
|
|
|
return '?%s' % '&'.join(arglist)
|
|
|
|
|
|
|
|
|
2017-02-23 06:33:30 +00:00
|
|
|
def lowerFirst(s):
|
|
|
|
return s[0].lower() + s[1:]
|
|
|
|
|
|
|
|
|
2017-02-01 21:32:00 +00:00
|
|
|
def rget(obj, attrstr, default=None, delim='.'): # pragma: no cover
|
2017-01-26 05:25:13 +00:00
|
|
|
""" Returns the value at the specified attrstr location within a nexted tree of
|
|
|
|
dicts, lists, tuples, functions, classes, etc. The lookup is done recursivley
|
|
|
|
for each key in attrstr (split by by the delimiter) This function is heavily
|
|
|
|
influenced by the lookups used in Django templates.
|
|
|
|
|
|
|
|
Parameters:
|
|
|
|
obj (any): Object to start the lookup in (dict, obj, list, tuple, etc).
|
|
|
|
attrstr (str): String to lookup (ex: 'foo.bar.baz.value')
|
|
|
|
default (any): Default value to return if not found.
|
|
|
|
delim (str): Delimiter separating keys in attrstr.
|
|
|
|
"""
|
2016-03-24 06:20:08 +00:00
|
|
|
try:
|
|
|
|
parts = attrstr.split(delim, 1)
|
|
|
|
attr = parts[0]
|
|
|
|
attrstr = parts[1] if len(parts) == 2 else None
|
2016-12-16 00:17:02 +00:00
|
|
|
if isinstance(obj, dict):
|
|
|
|
value = obj[attr]
|
|
|
|
elif isinstance(obj, list):
|
|
|
|
value = obj[int(attr)]
|
|
|
|
elif isinstance(obj, tuple):
|
|
|
|
value = obj[int(attr)]
|
|
|
|
elif isinstance(obj, object):
|
|
|
|
value = getattr(obj, attr)
|
|
|
|
if attrstr:
|
|
|
|
return rget(value, attrstr, default, delim)
|
2016-03-24 06:20:08 +00:00
|
|
|
return value
|
2017-10-25 16:34:59 +00:00
|
|
|
except: # noqa: E722
|
2016-03-24 06:20:08 +00:00
|
|
|
return default
|
2016-12-16 00:17:02 +00:00
|
|
|
|
2016-03-24 06:20:08 +00:00
|
|
|
|
2016-03-21 04:26:02 +00:00
|
|
|
def searchType(libtype):
|
2017-01-26 05:25:13 +00:00
|
|
|
""" Returns the integer value of the library string type.
|
2016-12-16 23:38:08 +00:00
|
|
|
|
2017-01-26 05:25:13 +00:00
|
|
|
Parameters:
|
2018-04-10 17:14:57 +00:00
|
|
|
libtype (str): LibType to lookup (movie, show, season, episode, artist, album, track,
|
|
|
|
collection)
|
2017-01-26 05:25:13 +00:00
|
|
|
Raises:
|
2018-10-03 10:09:43 +00:00
|
|
|
:class:`plexapi.exceptions.NotFound`: Unknown libtype
|
2016-12-16 23:38:08 +00:00
|
|
|
"""
|
2017-07-30 05:02:10 +00:00
|
|
|
libtype = compat.ustr(libtype)
|
|
|
|
if libtype in [compat.ustr(v) for v in SEARCHTYPES.values()]:
|
2016-03-31 20:52:48 +00:00
|
|
|
return libtype
|
2016-04-13 02:55:45 +00:00
|
|
|
if SEARCHTYPES.get(libtype) is not None:
|
|
|
|
return SEARCHTYPES[libtype]
|
|
|
|
raise NotFound('Unknown libtype: %s' % libtype)
|
2016-03-17 04:51:20 +00:00
|
|
|
|
|
|
|
|
2016-04-02 06:19:32 +00:00
|
|
|
def threaded(callback, listargs):
|
2017-01-31 04:44:03 +00:00
|
|
|
""" Returns the result of <callback> for each set of \*args in listargs. Each call
|
2018-09-14 18:28:35 +00:00
|
|
|
to <callback> is called concurrently in their own separate threads.
|
2016-12-16 23:38:08 +00:00
|
|
|
|
2017-01-26 05:25:13 +00:00
|
|
|
Parameters:
|
2017-01-31 04:44:03 +00:00
|
|
|
callback (func): Callback function to apply to each set of \*args.
|
|
|
|
listargs (list): List of lists; \*args to pass each thread.
|
2016-12-16 23:38:08 +00:00
|
|
|
"""
|
2016-04-02 06:19:32 +00:00
|
|
|
threads, results = [], []
|
2018-09-14 18:28:35 +00:00
|
|
|
job_is_done_event = Event()
|
2016-04-02 06:19:32 +00:00
|
|
|
for args in listargs:
|
|
|
|
args += [results, len(results)]
|
|
|
|
results.append(None)
|
2018-09-14 18:28:35 +00:00
|
|
|
threads.append(Thread(target=callback, args=args, kwargs=dict(job_is_done_event=job_is_done_event)))
|
2017-04-23 05:18:53 +00:00
|
|
|
threads[-1].setDaemon(True)
|
2016-04-02 06:19:32 +00:00
|
|
|
threads[-1].start()
|
2018-09-14 18:28:35 +00:00
|
|
|
while not job_is_done_event.is_set():
|
|
|
|
if all([not t.is_alive() for t in threads]):
|
|
|
|
break
|
|
|
|
time.sleep(0.05)
|
|
|
|
|
|
|
|
return [r for r in results if r is not None]
|
2016-04-02 06:19:32 +00:00
|
|
|
|
|
|
|
|
2014-12-29 03:21:58 +00:00
|
|
|
def toDatetime(value, format=None):
|
2017-01-26 05:25:13 +00:00
|
|
|
""" Returns a datetime object from the specified value.
|
2016-12-16 23:38:08 +00:00
|
|
|
|
2017-01-26 05:25:13 +00:00
|
|
|
Parameters:
|
|
|
|
value (str): value to return as a datetime
|
|
|
|
format (str): Format to pass strftime (optional; if value is a str).
|
2016-12-16 23:38:08 +00:00
|
|
|
"""
|
2017-02-04 17:43:50 +00:00
|
|
|
if value and value is not None:
|
2016-12-16 00:17:02 +00:00
|
|
|
if format:
|
2019-07-26 10:11:00 +00:00
|
|
|
try:
|
|
|
|
value = datetime.strptime(value, format)
|
|
|
|
except ValueError:
|
2019-07-26 15:09:39 +00:00
|
|
|
log.info('Failed to parse %s to datetime, defaulting to None', value)
|
2019-07-26 10:11:00 +00:00
|
|
|
return None
|
2016-12-16 00:17:02 +00:00
|
|
|
else:
|
2019-01-19 22:23:42 +00:00
|
|
|
# https://bugs.python.org/issue30684
|
|
|
|
# And platform support for before epoch seems to be flaky.
|
2019-01-21 21:14:53 +00:00
|
|
|
# TODO check for others errors too.
|
2019-03-24 19:31:30 +00:00
|
|
|
if int(value) <= 0:
|
2019-01-21 21:14:53 +00:00
|
|
|
value = 86400
|
|
|
|
value = datetime.fromtimestamp(int(value))
|
2014-12-29 03:21:58 +00:00
|
|
|
return value
|
2017-01-09 14:21:54 +00:00
|
|
|
|
|
|
|
|
2017-02-03 16:39:46 +00:00
|
|
|
def toList(value, itemcast=None, delim=','):
|
|
|
|
""" Returns a list of strings from the specified value.
|
2017-02-18 00:51:06 +00:00
|
|
|
|
2017-02-03 16:39:46 +00:00
|
|
|
Parameters:
|
|
|
|
value (str): comma delimited string to convert to list.
|
|
|
|
itemcast (func): Function to cast each list item to (default str).
|
|
|
|
delim (str): string delimiter (optional; default ',').
|
|
|
|
"""
|
|
|
|
value = value or ''
|
|
|
|
itemcast = itemcast or str
|
|
|
|
return [itemcast(item) for item in value.split(delim) if item != '']
|
|
|
|
|
|
|
|
|
2017-10-26 17:51:46 +00:00
|
|
|
def downloadSessionImages(server, filename=None, height=150, width=150,
|
|
|
|
opacity=100, saturation=100): # pragma: no cover
|
2017-02-20 04:04:27 +00:00
|
|
|
""" Helper to download a bif image or thumb.url from plex.server.sessions.
|
2017-02-18 00:51:06 +00:00
|
|
|
|
|
|
|
Parameters:
|
|
|
|
filename (str): default to None,
|
|
|
|
height (int): Height of the image.
|
|
|
|
width (int): width of the image.
|
|
|
|
opacity (int): Opacity of the resulting image (possibly deprecated).
|
|
|
|
saturation (int): Saturating of the resulting image.
|
|
|
|
|
|
|
|
Returns:
|
2017-02-20 04:04:27 +00:00
|
|
|
{'hellowlol': {'filepath': '<filepath>', 'url': 'http://<url>'},
|
|
|
|
{'<username>': {filepath, url}}, ...
|
2017-02-18 00:51:06 +00:00
|
|
|
"""
|
|
|
|
info = {}
|
|
|
|
for media in server.sessions():
|
|
|
|
url = None
|
|
|
|
for part in media.iterParts():
|
|
|
|
if media.thumb:
|
|
|
|
url = media.thumb
|
2017-02-27 04:59:46 +00:00
|
|
|
if part.indexes: # always use bif images if available.
|
2017-02-18 20:56:40 +00:00
|
|
|
url = '/library/parts/%s/indexes/%s/%s' % (part.id, part.indexes.lower(), media.viewOffset)
|
2017-02-18 00:51:06 +00:00
|
|
|
if url:
|
|
|
|
if filename is None:
|
2017-02-20 04:04:27 +00:00
|
|
|
prettyname = media._prettyfilename()
|
|
|
|
filename = 'session_transcode_%s_%s_%s' % (media.usernames[0], prettyname, int(time.time()))
|
2017-02-27 04:59:46 +00:00
|
|
|
url = server.transcodeImage(url, height, width, opacity, saturation)
|
|
|
|
filepath = download(url, filename=filename)
|
|
|
|
info['username'] = {'filepath': filepath, 'url': url}
|
2017-02-18 00:51:06 +00:00
|
|
|
return info
|
|
|
|
|
|
|
|
|
2018-01-05 02:44:35 +00:00
|
|
|
def download(url, token, filename=None, savepath=None, session=None, chunksize=4024,
|
2017-08-18 21:23:40 +00:00
|
|
|
unpack=False, mocked=False, showstatus=False):
|
2017-02-02 03:53:05 +00:00
|
|
|
""" Helper to download a thumb, videofile or other media item. Returns the local
|
|
|
|
path to the downloaded file.
|
|
|
|
|
|
|
|
Parameters:
|
|
|
|
url (str): URL where the content be reached.
|
2018-01-05 02:44:35 +00:00
|
|
|
token (str): Plex auth token to include in headers.
|
2017-02-02 03:53:05 +00:00
|
|
|
filename (str): Filename of the downloaded file, default None.
|
|
|
|
savepath (str): Defaults to current working dir.
|
|
|
|
chunksize (int): What chunksize read/write at the time.
|
2017-01-09 14:21:54 +00:00
|
|
|
mocked (bool): Helper to do evertything except write the file.
|
2017-05-27 02:35:33 +00:00
|
|
|
unpack (bool): Unpack the zip file.
|
2017-09-29 21:55:41 +00:00
|
|
|
showstatus(bool): Display a progressbar.
|
2017-10-25 16:34:59 +00:00
|
|
|
|
2017-01-09 14:21:54 +00:00
|
|
|
Example:
|
|
|
|
>>> download(a_episode.getStreamURL(), a_episode.location)
|
|
|
|
/path/to/file
|
|
|
|
"""
|
2017-02-27 04:59:46 +00:00
|
|
|
# fetch the data to be saved
|
2017-01-09 14:21:54 +00:00
|
|
|
session = session or requests.Session()
|
2018-01-05 02:44:35 +00:00
|
|
|
headers = {'X-Plex-Token': token}
|
|
|
|
response = session.get(url, headers=headers, stream=True)
|
2017-02-27 04:59:46 +00:00
|
|
|
# make sure the savepath directory exists
|
|
|
|
savepath = savepath or os.getcwd()
|
|
|
|
compat.makedirs(savepath, exist_ok=True)
|
2017-09-29 21:55:41 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
# try getting filename from header if not specified in arguments (used for logs, db)
|
|
|
|
if not filename and response.headers.get('Content-Disposition'):
|
|
|
|
filename = re.findall(r'filename=\"(.+)\"', response.headers.get('Content-Disposition'))
|
|
|
|
filename = filename[0] if filename[0] else None
|
2017-09-29 21:55:41 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
filename = os.path.basename(filename)
|
|
|
|
fullpath = os.path.join(savepath, filename)
|
|
|
|
# append file.ext from content-type if not already there
|
|
|
|
extension = os.path.splitext(fullpath)[-1]
|
|
|
|
if not extension:
|
|
|
|
contenttype = response.headers.get('content-type')
|
|
|
|
if contenttype and 'image' in contenttype:
|
|
|
|
fullpath += contenttype.split('/')[1]
|
2017-09-29 21:55:41 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
# check this is a mocked download (testing)
|
|
|
|
if mocked:
|
|
|
|
log.debug('Mocked download %s', fullpath)
|
2017-01-09 14:21:54 +00:00
|
|
|
return fullpath
|
2017-09-29 21:55:41 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
# save the file to disk
|
|
|
|
log.info('Downloading: %s', fullpath)
|
2017-10-25 22:24:54 +00:00
|
|
|
if showstatus: # pragma: no cover
|
2017-09-29 21:55:41 +00:00
|
|
|
total = int(response.headers.get('content-length', 0))
|
2017-09-29 23:32:27 +00:00
|
|
|
bar = tqdm(unit='B', unit_scale=True, total=total, desc=filename)
|
2017-09-26 19:58:56 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
with open(fullpath, 'wb') as handle:
|
|
|
|
for chunk in response.iter_content(chunk_size=chunksize):
|
|
|
|
handle.write(chunk)
|
2017-08-15 03:40:28 +00:00
|
|
|
if showstatus:
|
|
|
|
bar.update(len(chunk))
|
2017-09-26 18:11:19 +00:00
|
|
|
|
2017-10-25 22:24:54 +00:00
|
|
|
if showstatus: # pragma: no cover
|
2017-09-26 18:11:19 +00:00
|
|
|
bar.close()
|
2017-02-27 04:59:46 +00:00
|
|
|
# check we want to unzip the contents
|
|
|
|
if fullpath.endswith('zip') and unpack:
|
|
|
|
with zipfile.ZipFile(fullpath, 'r') as handle:
|
|
|
|
handle.extractall(savepath)
|
2017-09-26 19:58:56 +00:00
|
|
|
|
2017-02-27 04:59:46 +00:00
|
|
|
return fullpath
|
2017-07-16 20:46:03 +00:00
|
|
|
|
|
|
|
|
2017-07-18 21:55:11 +00:00
|
|
|
def tag_helper(tag, items, locked=True, remove=False):
|
2017-08-13 05:50:40 +00:00
|
|
|
""" Simple tag helper for editing a object. """
|
2017-07-16 21:04:46 +00:00
|
|
|
if not isinstance(items, list):
|
2017-07-16 20:46:03 +00:00
|
|
|
items = [items]
|
2017-08-13 05:50:40 +00:00
|
|
|
data = {}
|
2017-07-18 21:55:11 +00:00
|
|
|
if not remove:
|
|
|
|
for i, item in enumerate(items):
|
2017-08-13 05:50:40 +00:00
|
|
|
tagname = '%s[%s].tag.tag' % (tag, i)
|
|
|
|
data[tagname] = item
|
2017-07-18 21:55:11 +00:00
|
|
|
if remove:
|
2017-08-13 05:50:40 +00:00
|
|
|
tagname = '%s[].tag.tag-' % tag
|
|
|
|
data[tagname] = ','.join(items)
|
|
|
|
data['%s.locked' % tag] = 1 if locked else 0
|
|
|
|
return data
|
|
|
|
|
|
|
|
|
2017-10-25 22:01:42 +00:00
|
|
|
def getMyPlexAccount(opts=None): # pragma: no cover
|
2017-08-13 05:50:40 +00:00
|
|
|
""" Helper function tries to get a MyPlex Account instance by checking
|
|
|
|
the the following locations for a username and password. This is
|
|
|
|
useful to create user-friendly command line tools.
|
|
|
|
1. command-line options (opts).
|
|
|
|
2. environment variables and config.ini
|
|
|
|
3. Prompt on the command line.
|
|
|
|
"""
|
|
|
|
from plexapi import CONFIG
|
|
|
|
from plexapi.myplex import MyPlexAccount
|
|
|
|
# 1. Check command-line options
|
|
|
|
if opts and opts.username and opts.password:
|
|
|
|
print('Authenticating with Plex.tv as %s..' % opts.username)
|
|
|
|
return MyPlexAccount(opts.username, opts.password)
|
|
|
|
# 2. Check Plexconfig (environment variables and config.ini)
|
|
|
|
config_username = CONFIG.get('auth.myplex_username')
|
|
|
|
config_password = CONFIG.get('auth.myplex_password')
|
|
|
|
if config_username and config_password:
|
|
|
|
print('Authenticating with Plex.tv as %s..' % config_username)
|
|
|
|
return MyPlexAccount(config_username, config_password)
|
|
|
|
# 3. Prompt for username and password on the command line
|
|
|
|
username = input('What is your plex.tv username: ')
|
|
|
|
password = getpass('What is your plex.tv password: ')
|
|
|
|
print('Authenticating with Plex.tv as %s..' % username)
|
|
|
|
return MyPlexAccount(username, password)
|
2017-08-15 03:40:28 +00:00
|
|
|
|
|
|
|
|
2017-10-25 16:34:59 +00:00
|
|
|
def choose(msg, items, attr): # pragma: no cover
|
2017-08-15 03:40:28 +00:00
|
|
|
""" Command line helper to display a list of choices, asking the
|
|
|
|
user to choose one of the options.
|
|
|
|
"""
|
|
|
|
# Return the first item if there is only one choice
|
|
|
|
if len(items) == 1:
|
|
|
|
return items[0]
|
|
|
|
# Print all choices to the command line
|
|
|
|
print()
|
|
|
|
for index, i in enumerate(items):
|
|
|
|
name = attr(i) if callable(attr) else getattr(i, attr)
|
|
|
|
print(' %s: %s' % (index, name))
|
|
|
|
print()
|
|
|
|
# Request choice from the user
|
|
|
|
while True:
|
|
|
|
try:
|
2017-09-26 18:11:19 +00:00
|
|
|
inp = input('%s: ' % msg)
|
|
|
|
if any(s in inp for s in (':', '::', '-')):
|
|
|
|
idx = slice(*map(lambda x: int(x.strip()) if x.strip() else None, inp.split(':')))
|
|
|
|
return items[idx]
|
|
|
|
else:
|
|
|
|
return items[int(inp)]
|
|
|
|
|
2017-08-15 03:40:28 +00:00
|
|
|
except (ValueError, IndexError):
|
|
|
|
pass
|