PlexKodiConnect/resources/lib/PlexFunctions.py

496 lines
15 KiB
Python
Raw Normal View History

# -*- coding: utf-8 -*-
2016-09-03 01:26:17 +10:00
import logging
from urllib import urlencode
2016-01-30 06:07:21 +11:00
from ast import literal_eval
2016-07-21 02:36:31 +10:00
from urlparse import urlparse, parse_qsl
2016-01-30 06:07:21 +11:00
import re
from copy import deepcopy
2016-01-30 06:07:21 +11:00
import downloadutils
2016-09-03 01:26:17 +10:00
from utils import settings
from variables import PLEX_TO_KODI_TIMEFACTOR
2016-09-03 01:26:17 +10:00
###############################################################################
log = logging.getLogger("PLEX."+__name__)
2016-09-03 01:26:17 +10:00
###############################################################################
def ConvertPlexToKodiTime(plexTime):
"""
Converts Plextime to Koditime. Returns an int (in seconds).
"""
2016-03-25 04:52:02 +11:00
if plexTime is None:
return None
2016-10-30 00:23:48 +11:00
return int(float(plexTime) * PLEX_TO_KODI_TIMEFACTOR)
2016-01-30 06:07:21 +11:00
def GetPlexKeyNumber(plexKey):
"""
Deconstructs e.g. '/library/metadata/xxxx' to the tuple
('library/metadata', 'xxxx')
Returns ('','') if nothing is found
"""
regex = re.compile(r'''/(.+)/(\d+)$''')
try:
result = regex.findall(plexKey)[0]
except IndexError:
result = ('', '')
return result
def ParseContainerKey(containerKey):
"""
Parses e.g. /playQueues/3045?own=1&repeat=0&window=200 to:
2016-07-21 02:36:31 +10:00
'playQueues', '3045', {'window': '200', 'own': '1', 'repeat': '0'}
2016-01-30 06:07:21 +11:00
2016-07-21 02:36:31 +10:00
Output hence: library, key, query (str, str, dict)
2016-01-30 06:07:21 +11:00
"""
result = urlparse(containerKey)
library, key = GetPlexKeyNumber(result.path)
2016-07-21 02:36:31 +10:00
query = dict(parse_qsl(result.query))
2016-01-30 06:07:21 +11:00
return library, key, query
def LiteralEval(string):
"""
Turns a string e.g. in a dict, safely :-)
"""
return literal_eval(string)
2016-01-28 06:41:28 +11:00
def GetMethodFromPlexType(plexType):
methods = {
'movie': 'add_update',
2016-02-07 22:38:50 +11:00
'episode': 'add_updateEpisode',
'show': 'add_update',
'season': 'add_updateSeason',
'track': 'add_updateSong',
'album': 'add_updateAlbum',
'artist': 'add_updateArtist'
2016-01-28 06:41:28 +11:00
}
return methods[plexType]
def XbmcItemtypes():
return ['photo', 'video', 'audio']
def PlexItemtypes():
return ['photo', 'video', 'audio']
def PlexLibraryItemtypes():
return ['movie', 'show']
# later add: 'artist', 'photo'
def EmbyItemtypes():
return ['Movie', 'Series', 'Season', 'Episode']
2016-02-07 22:38:50 +11:00
def SelectStreams(url, args):
"""
Does a PUT request to tell the PMS what audio and subtitle streams we have
chosen.
"""
downloadutils.DownloadUtils().downloadUrl(
2016-04-26 22:02:19 +10:00
url + '?' + urlencode(args), action_type='PUT')
2016-02-07 22:38:50 +11:00
def GetPlexMetadata(key):
"""
Returns raw API metadata for key as an etree XML.
Can be called with either Plex key '/library/metadata/xxxx'metadata
OR with the digits 'xxxx' only.
2016-06-27 00:10:32 +10:00
Returns None or 401 if something went wrong
"""
key = str(key)
if '/library/metadata/' in key:
url = "{server}" + key
else:
url = "{server}/library/metadata/" + key
arguments = {
'checkFiles': 0,
'includeExtras': 1, # Trailers and Extras => Extras
'includeReviews': 1,
'includeRelated': 0, # Similar movies => Video -> Related
# 'includeRelatedCount': 0,
# 'includeOnDeck': 1,
# 'includeChapters': 1,
# 'includePopularLeaves': 1,
# 'includeConcerts': 1
}
url = url + '?' + urlencode(arguments)
xml = downloadutils.DownloadUtils().downloadUrl(url)
if xml == 401:
# Either unauthorized (taken care of by doUtils) or PMS under strain
return 401
# Did we receive a valid XML?
try:
xml.attrib
# Nope we did not receive a valid XML
except AttributeError:
2016-09-03 01:26:17 +10:00
log.error("Error retrieving metadata for %s" % url)
xml = None
return xml
def GetAllPlexChildren(key, containerSize=None):
"""
Returns a list (raw xml API dump) of all Plex children for the key.
(e.g. /library/metadata/194853/children pointing to a season)
Input:
key Key to a Plex item, e.g. 12345
"""
url = "{server}/library/metadata/%s/children?" % key
return DownloadChunks(url, containerSize)
def GetPlexSectionResults(viewId, args=None, containerSize=None):
"""
Returns a list (XML API dump) of all Plex items in the Plex
section with key = viewId.
Input:
args: optional dict to be urlencoded
Returns None if something went wrong
"""
url = "{server}/library/sections/%s/all?" % viewId
if args:
url += urlencode(args) + '&'
return DownloadChunks(url, containerSize)
def DownloadChunks(url, containerSize):
"""
Downloads PMS url in chunks of containerSize (int).
If containerSize is None: ONE xml is fetched directly
url MUST end with '?' (if no other url encoded args are present) or '&'
Returns a stitched-together xml or None.
"""
if containerSize is None:
# Get rid of '?' or '&' at the end of url
xml = downloadutils.DownloadUtils().downloadUrl(url[:-1])
if xml == 401:
return 401
try:
xml.attrib
except AttributeError:
# Nope, not an XML, abort
2016-09-03 01:26:17 +10:00
log.error("Error getting url %s" % url[:-1])
return None
else:
return xml
xml = None
pos = 0
errorCounter = 0
while errorCounter < 10:
args = {
'X-Plex-Container-Size': containerSize,
'X-Plex-Container-Start': pos
}
xmlpart = downloadutils.DownloadUtils().downloadUrl(
url + urlencode(args))
# If something went wrong - skip in the hope that it works next time
try:
xmlpart.attrib
except AttributeError:
2016-09-03 01:26:17 +10:00
log.error('Error while downloading chunks: %s'
% (url + urlencode(args)))
pos += containerSize
errorCounter += 1
continue
# Very first run: starting xml (to retain data in xml's root!)
if xml is None:
xml = deepcopy(xmlpart)
if len(xmlpart) < containerSize:
break
else:
pos += containerSize
continue
# Build answer xml - containing the entire library
for child in xmlpart:
xml.append(child)
# Done as soon as we don't receive a full complement of items
if len(xmlpart) < containerSize:
break
pos += containerSize
if errorCounter == 10:
2016-09-03 01:26:17 +10:00
log.error('Fatal error while downloading chunks for %s' % url)
return None
return xml
def GetAllPlexLeaves(viewId, lastViewedAt=None, updatedAt=None,
containerSize=None):
"""
Returns a list (raw XML API dump) of all Plex subitems for the key.
(e.g. /library/sections/2/allLeaves pointing to all TV shows)
Input:
2016-01-30 06:07:21 +11:00
viewId Id of Plex library, e.g. '2'
lastViewedAt Unix timestamp; only retrieves PMS items viewed
since that point of time until now.
updatedAt Unix timestamp; only retrieves PMS items updated
by the PMS since that point of time until now.
containerSize Number of items simultaneously fetched from PMS
2016-01-30 06:07:21 +11:00
If lastViewedAt and updatedAt=None, ALL PMS items are returned.
Warning: lastViewedAt and updatedAt are combined with AND by the PMS!
Relevant "master time": PMS server. I guess this COULD lead to problems,
e.g. when server and client are in different time zones.
"""
2016-01-30 06:07:21 +11:00
args = []
2016-02-04 00:44:11 +11:00
url = "{server}/library/sections/%s/allLeaves" % viewId
2016-01-30 06:07:21 +11:00
if lastViewedAt:
args.append('lastViewedAt>=%s' % lastViewedAt)
if updatedAt:
args.append('updatedAt>=%s' % updatedAt)
2016-02-04 00:44:11 +11:00
if args:
url += '?' + '&'.join(args) + '&'
else:
url += '?'
2016-03-15 03:47:05 +11:00
return DownloadChunks(url, containerSize)
2016-03-15 03:47:05 +11:00
def GetPlexOnDeck(viewId, containerSize=None):
"""
"""
url = "{server}/library/sections/%s/onDeck?" % viewId
return DownloadChunks(url, containerSize)
def GetPlexCollections(mediatype):
"""
Input:
mediatype String or list of strings with possible values
'movie', 'show', 'artist', 'photo'
Output:
List with an entry of the form:
{
'name': xxx Plex title for the media section
'type': xxx Plex type: 'movie', 'show', 'artist', 'photo'
'id': xxx Plex unique key for the section (1, 2, 3...)
'uuid': xxx Other unique Plex key, e.g.
74aec9f2-a312-4723-9436-de2ea43843c1
}
Returns an empty list if nothing is found.
"""
collections = []
url = "{server}/library/sections"
2016-03-15 03:47:05 +11:00
xml = downloadutils.DownloadUtils().downloadUrl(url)
try:
2016-03-15 03:47:05 +11:00
xml.attrib
except AttributeError:
2016-09-03 01:26:17 +10:00
log.error('Could not download PMS sections for %s' % url)
2016-03-15 03:47:05 +11:00
return {}
for item in xml:
contentType = item['type']
if contentType in mediatype:
name = item['title']
contentId = item['key']
uuid = item['uuid']
collections.append({
'name': name,
'type': contentType,
'id': str(contentId),
'uuid': uuid
})
return collections
2016-02-03 23:01:13 +11:00
2017-02-19 03:04:30 +11:00
def init_plex_playqueue(itemid, librarySectionUUID, mediatype='movie',
trailers=False):
2016-02-03 23:01:13 +11:00
"""
Returns raw API metadata XML dump for a playlist with e.g. trailers.
2016-03-15 03:47:05 +11:00
"""
2016-02-03 23:01:13 +11:00
url = "{server}/playQueues"
args = {
'type': mediatype,
2016-09-06 04:57:08 +10:00
'uri': ('library://' + librarySectionUUID +
'/item/%2Flibrary%2Fmetadata%2F' + itemid),
2016-02-03 23:01:13 +11:00
'includeChapters': '1',
'shuffle': '0',
'repeat': '0'
}
2016-12-30 01:41:14 +11:00
if trailers is True:
args['extrasPrefixCount'] = settings('trailerNumber')
2016-02-03 23:01:13 +11:00
xml = downloadutils.DownloadUtils().downloadUrl(
2016-04-26 22:02:19 +10:00
url + '?' + urlencode(args), action_type="POST")
2016-02-03 23:01:13 +11:00
try:
xml[0].tag
except (IndexError, TypeError, AttributeError):
2016-09-03 01:26:17 +10:00
log.error("Error retrieving metadata for %s" % url)
2016-02-03 23:01:13 +11:00
return None
return xml
2016-02-07 22:38:50 +11:00
def getPlexRepeat(kodiRepeat):
plexRepeat = {
'off': '0',
'one': '1',
'all': '2' # does this work?!?
}
return plexRepeat.get(kodiRepeat)
def PMSHttpsEnabled(url):
"""
Returns True if the PMS can talk https, False otherwise.
None if error occured, e.g. the connection timed out
Call with e.g. url='192.168.0.1:32400' (NO http/https)
This is done by GET /identity (returns an error if https is enabled and we
are trying to use http)
2016-03-11 02:02:46 +11:00
Prefers HTTPS over HTTP
"""
doUtils = downloadutils.DownloadUtils().downloadUrl
res = doUtils('https://%s/identity' % url,
authenticate=False,
verifySSL=False)
try:
res.attrib
2016-05-25 03:00:39 +10:00
except AttributeError:
# Might have SSL deactivated. Try with http
res = doUtils('http://%s/identity' % url,
authenticate=False,
verifySSL=False)
try:
res.attrib
2016-05-25 03:00:39 +10:00
except AttributeError:
2016-09-03 01:26:17 +10:00
log.error("Could not contact PMS %s" % url)
return None
else:
# Received a valid XML. Server wants to talk HTTP
return False
else:
# Received a valid XML. Server wants to talk HTTPS
return True
2016-03-12 00:42:14 +11:00
def GetMachineIdentifier(url):
"""
Returns the unique PMS machine identifier of url
Returns None if something went wrong
"""
2016-05-25 03:00:39 +10:00
xml = downloadutils.DownloadUtils().downloadUrl('%s/identity' % url,
authenticate=False,
2016-05-30 00:52:00 +10:00
verifySSL=False,
timeout=4)
try:
2016-05-25 03:00:39 +10:00
machineIdentifier = xml.attrib['machineIdentifier']
except (AttributeError, KeyError):
2016-09-03 01:26:17 +10:00
log.error('Could not get the PMS machineIdentifier for %s' % url)
return None
2016-09-03 01:26:17 +10:00
log.debug('Found machineIdentifier %s for the PMS %s'
% (machineIdentifier, url))
return machineIdentifier
2016-03-28 01:57:20 +11:00
def GetPMSStatus(token):
"""
token: Needs to be authorized with a master Plex token
(not a managed user token)!
Calls /status/sessions on currently active PMS. Returns a dict with:
'sessionKey':
{
'userId': Plex ID of the user (if applicable, otherwise '')
'username': Plex name (if applicable, otherwise '')
'ratingKey': Unique Plex id of item being played
}
or an empty dict.
"""
answer = {}
xml = downloadutils.DownloadUtils().downloadUrl(
'{server}/status/sessions',
2016-03-28 01:57:20 +11:00
headerOptions={'X-Plex-Token': token})
try:
xml.attrib
except AttributeError:
return answer
for item in xml:
ratingKey = item.attrib.get('ratingKey')
sessionKey = item.attrib.get('sessionKey')
userId = item.find('User')
username = ''
if userId is not None:
username = userId.attrib.get('title', '')
userId = userId.attrib.get('id', '')
else:
userId = ''
answer[sessionKey] = {
'userId': userId,
'username': username,
'ratingKey': ratingKey
}
return answer
2016-03-12 00:42:14 +11:00
def scrobble(ratingKey, state):
"""
Tells the PMS to set an item's watched state to state="watched" or
state="unwatched"
"""
args = {
'key': ratingKey,
'identifier': 'com.plexapp.plugins.library'
}
if state == "watched":
url = "{server}/:/scrobble?" + urlencode(args)
elif state == "unwatched":
url = "{server}/:/unscrobble?" + urlencode(args)
else:
return
2016-04-26 22:02:19 +10:00
downloadutils.DownloadUtils().downloadUrl(url)
2016-09-03 01:26:17 +10:00
log.info("Toggled watched state for Plex item %s" % ratingKey)
2016-10-23 02:15:10 +11:00
def delete_item_from_pms(plexid):
"""
Deletes the item plexid from the Plex Media Server (and the harddrive!).
Do make sure that the currently logged in user has the credentials
Returns True if successful, False otherwise
"""
if downloadutils.DownloadUtils().downloadUrl(
'{server}/library/metadata/%s' % plexid,
action_type="DELETE") is True:
log.info('Successfully deleted Plex id %s from the PMS' % plexid)
return True
else:
log.error('Could not delete Plex id %s from the PMS' % plexid)
2016-10-23 02:15:10 +11:00
return False
def get_PMS_settings(url, token):
"""
Retrieve the PMS' settings via <url>/:/
Call with url: scheme://ip:port
"""
return downloadutils.DownloadUtils().downloadUrl(
'%s/:/prefs' % url,
authenticate=False,
verifySSL=False,
headerOptions={'X-Plex-Token': token} if token else None)