python-plexapi/plexapi/server.py

308 lines
11 KiB
Python
Raw Normal View History

# -*- coding: utf-8 -*-
2017-01-02 21:06:40 +00:00
import sys
2016-12-16 23:38:08 +00:00
2017-01-02 21:06:40 +00:00
if sys.version_info <= (3, 3):
try:
from xml.etree import cElementTree as ElementTree
except ImportError:
from xml.etree import ElementTree
else:
# py 3.3 and above selects the fastest automatically
from xml.etree import ElementTree
2016-12-15 23:06:12 +00:00
import requests
2014-12-29 03:21:58 +00:00
from requests.status_codes import _codes as codes
2016-12-15 23:06:12 +00:00
from plexapi import BASE_HEADERS, CONFIG, TIMEOUT
from plexapi import log, logfilter, utils
2016-12-15 23:55:48 +00:00
from plexapi import audio, video, photo, playlist # noqa; required # why is this needed?
from plexapi.client import PlexClient
2016-12-15 23:06:12 +00:00
from plexapi.compat import quote
2014-12-29 03:21:58 +00:00
from plexapi.exceptions import BadRequest, NotFound
from plexapi.library import Library
2016-04-11 03:49:23 +00:00
from plexapi.playlist import Playlist
2014-12-29 03:21:58 +00:00
from plexapi.playqueue import PlayQueue
class PlexServer(object):
2016-12-15 23:55:48 +00:00
"""Main class to interact with plexapi.
Examples:
>>>> plex = PlexServer(token=12345)
>>>> for client in plex.clients():
>>>> print(client.title)
Note:
See test/example.py for more examples
Attributes:
2017-01-02 21:06:40 +00:00
baseurl (str): Base url for PMS. Fx http://10.0.0.97:32400
friendlyName (str): Pretty name for PMS fx s-PC
machineIdentifier (str): uuid for PMS
myPlex (bool): Description
myPlexMappingState (str): fx mapped
myPlexSigninState (str): fx ok
myPlexSubscription (str): 1
myPlexUsername (str): username@email.com
platform (str): The platform PMS is running on.
platformVersion (str): fx 6.1 (Build 7601)
2016-12-15 23:55:48 +00:00
session (requests.Session, optinal): Add your own session object for caching
2017-01-02 21:06:40 +00:00
token (str): X-Plex-Token, using for authenication with PMS
2016-12-15 23:55:48 +00:00
transcoderActiveVideoSessions (int): How any active video sessions
2017-01-02 21:06:40 +00:00
updatedAt (int): Last updated at as epoch
version (str): fx 1.3.2.3112-1751929
2016-12-15 23:06:12 +00:00
"""
def __init__(self, baseurl='http://localhost:32400', token=None, session=None):
2016-12-15 23:55:48 +00:00
"""
Args:
2017-01-02 21:06:40 +00:00
baseurl (str): Base url for PMS
token (str): X-Plex-Token, using for authenication with PMS
2016-12-15 23:55:48 +00:00
session (requests.Session, optional): Use your own session object if you want
to cache the http responses from PMS
2016-12-15 23:06:12 +00:00
"""
self.baseurl = baseurl or CONFIG.get('authentication.baseurl')
self.token = token or CONFIG.get('authentication.token')
if self.token:
logfilter.add_secret(self.token)
2016-03-16 03:53:04 +00:00
self.session = session or requests.Session()
2014-12-29 03:21:58 +00:00
data = self._connect()
self.friendlyName = data.attrib.get('friendlyName')
self.machineIdentifier = data.attrib.get('machineIdentifier')
self.myPlex = bool(data.attrib.get('myPlex'))
self.myPlexMappingState = data.attrib.get('myPlexMappingState')
self.myPlexSigninState = data.attrib.get('myPlexSigninState')
self.myPlexSubscription = data.attrib.get('myPlexSubscription')
self.myPlexUsername = data.attrib.get('myPlexUsername')
self.platform = data.attrib.get('platform')
self.platformVersion = data.attrib.get('platformVersion')
self.transcoderActiveVideoSessions = int(data.attrib.get('transcoderActiveVideoSessions', 0))
self.updatedAt = int(data.attrib.get('updatedAt', 0))
2014-12-29 03:21:58 +00:00
self.version = data.attrib.get('version')
self._library = None # cached library
2014-12-29 03:21:58 +00:00
def __repr__(self):
2016-12-15 23:55:48 +00:00
"""Make repr prettier."""
return '<%s:%s>' % (self.__class__.__name__, self.baseurl)
2014-12-29 03:21:58 +00:00
def _connect(self):
2016-12-15 23:55:48 +00:00
"""Used for fetching the attributes for __init__."""
2014-12-29 03:21:58 +00:00
try:
return self.query('/')
2015-02-17 20:35:17 +00:00
except Exception as err:
log.error('%s: %s', self.baseurl, err)
raise NotFound('No server found at: %s' % self.baseurl)
2014-12-29 03:21:58 +00:00
@property
def library(self):
2016-12-15 23:55:48 +00:00
"""Library to browse or search your media."""
if not self._library:
self._library = Library(self, self.query('/library/'))
return self._library
2014-12-29 03:21:58 +00:00
def account(self):
2017-01-02 21:06:40 +00:00
"""Returns Account."""
2014-12-29 03:21:58 +00:00
data = self.query('/myplex/account')
return Account(self, data)
2014-12-29 03:21:58 +00:00
def clients(self):
2017-01-02 21:06:40 +00:00
"""Query PMS for all clients connected to PMS.
2016-12-15 23:06:12 +00:00
2016-12-15 23:55:48 +00:00
Returns:
list: of Plexclient connnected to PMS
2016-12-15 23:06:12 +00:00
"""
2014-12-29 03:21:58 +00:00
items = []
for elem in self.query('/clients'):
2016-12-15 23:06:12 +00:00
baseurl = 'http://%s:%s' % (elem.attrib['address'],
elem.attrib['port'])
items.append(PlexClient(baseurl, server=self, data=elem))
2014-12-29 03:21:58 +00:00
return items
def client(self, name):
2017-01-02 21:06:40 +00:00
"""Querys PMS for all clients connected to PMS.
2016-12-15 23:06:12 +00:00
2016-12-15 23:55:48 +00:00
Returns:
Plexclient
Args:
2017-01-02 21:06:40 +00:00
name (str): client title, John's Iphone
2016-12-15 23:55:48 +00:00
Raises:
NotFound: Unknown client name Betty
2016-12-15 23:06:12 +00:00
"""
2014-12-29 03:21:58 +00:00
for elem in self.query('/clients'):
if elem.attrib.get('name').lower() == name.lower():
2016-12-15 23:06:12 +00:00
baseurl = 'http://%s:%s' % (
elem.attrib['address'], elem.attrib['port'])
return PlexClient(baseurl, server=self, data=elem)
2014-12-29 03:21:58 +00:00
raise NotFound('Unknown client name: %s' % name)
2016-04-11 03:49:23 +00:00
def createPlaylist(self, title, items):
2017-01-02 21:06:40 +00:00
"""Create a playlist.
2016-12-15 23:55:48 +00:00
Returns:
Playlist
"""
2016-04-11 03:49:23 +00:00
return Playlist.create(self, title, items)
def createPlayQueue(self, item):
return PlayQueue.create(self, item)
2014-12-29 03:21:58 +00:00
def headers(self):
2016-12-15 23:55:48 +00:00
"""Headers given to PMS."""
2014-12-29 03:21:58 +00:00
headers = BASE_HEADERS
if self.token:
headers['X-Plex-Token'] = self.token
return headers
2016-12-15 23:06:12 +00:00
def history(self):
2016-12-15 23:55:48 +00:00
"""List watched history.
"""
return utils.listItems(self, '/status/sessions/history/all')
2016-12-15 23:06:12 +00:00
def playlists(self):
2016-04-11 03:49:23 +00:00
# TODO: Add sort and type options?
# /playlists/all?type=15&sort=titleSort%3Aasc&playlistType=video&smart=0
return utils.listItems(self, '/playlists')
2016-12-15 23:06:12 +00:00
2016-12-15 23:55:48 +00:00
def playlist(self, title): # noqa
"""Returns a playlist with a given name or raise NotFound.
Args:
2017-01-02 21:06:40 +00:00
title (str): title of the playlist
2016-12-15 23:55:48 +00:00
Raises:
2017-01-02 21:06:40 +00:00
NotFound: Invalid playlist title: title
2016-12-15 23:55:48 +00:00
"""
for item in self.playlists():
if item.title == title:
return item
raise NotFound('Invalid playlist title: %s' % title)
2014-12-29 03:21:58 +00:00
def query(self, path, method=None, headers=None, **kwargs):
2016-12-15 23:55:48 +00:00
"""Main method used to handle http connection to PMS.
encodes the response to utf-8 and parses the xml returned
2017-01-02 21:06:40 +00:00
from PMS into a Element
2016-12-15 23:55:48 +00:00
Args:
2017-01-02 21:06:40 +00:00
path (str): relative path to PMS, fx /search?query=HELLO
method (None, optional): requests.method, requests.put
2016-12-15 23:55:48 +00:00
headers (None, optional): Headers that will be passed to PMS
2016-12-16 23:38:08 +00:00
**kwargs (dict): Used for filter and sorting.
2016-12-15 23:55:48 +00:00
Raises:
2017-01-02 21:06:40 +00:00
BadRequest: fx (404) Not Found
2016-12-15 23:55:48 +00:00
Returns:
2016-12-16 23:38:08 +00:00
xml.etree.ElementTree.Element or None
2016-12-15 23:55:48 +00:00
"""
2014-12-29 03:21:58 +00:00
url = self.url(path)
2016-03-16 03:53:04 +00:00
method = method or self.session.get
2015-02-24 03:42:29 +00:00
log.info('%s %s', method.__name__.upper(), url)
2016-12-16 23:38:08 +00:00
h = self.headers().copy()
if headers:
h.update(headers)
2016-12-15 23:06:12 +00:00
response = method(url, headers=h, timeout=TIMEOUT, **kwargs)
2017-01-29 21:32:50 +00:00
#print(response.url)
2017-01-31 00:02:22 +00:00
if response.status_code not in [200, 201]: # pragma: no cover
2014-12-29 03:21:58 +00:00
codename = codes.get(response.status_code)[0]
2017-01-09 14:21:54 +00:00
raise BadRequest('(%s) %s %s' % (response.status_code, codename, response.url))
2014-12-29 03:21:58 +00:00
data = response.text.encode('utf8')
return ElementTree.fromstring(data) if data else None
2016-12-15 23:06:12 +00:00
def search(self, query, mediatype=None):
2016-12-15 23:55:48 +00:00
"""Searching within a library section is much more powerful.
Args:
2017-01-02 21:06:40 +00:00
query (str): Search str
mediatype (str, optional): Limit your search to a media type.
2016-12-15 23:55:48 +00:00
Returns:
List
"""
items = utils.listItems(self, '/search?query=%s' % quote(query))
if mediatype:
return [item for item in items if item.type == mediatype]
return items
2015-02-17 20:35:17 +00:00
def sessions(self):
2016-12-15 23:55:48 +00:00
"""List all active sessions."""
return utils.listItems(self, '/status/sessions')
2015-02-17 20:35:17 +00:00
2014-12-29 03:21:58 +00:00
def url(self, path):
2016-12-15 23:55:48 +00:00
"""Build a full for PMS."""
2015-06-08 16:41:47 +00:00
if self.token:
delim = '&' if '?' in path else '?'
return '%s%s%sX-Plex-Token=%s' % (self.baseurl, path, delim, self.token)
return '%s%s' % (self.baseurl, path)
2017-01-02 21:19:07 +00:00
def transcodeImage(self, media, height, width, opacity=100, saturation=100):
"""Transcode a image.
Args:
height (int): height off image
width (int): width off image
opacity (int): Dont seems to be in use anymore # check it
saturation (int): transparency
Returns:
transcoded_image_url or None
"""
# check for NA incase any tries to pass thumb, or art directly.
if media:
transcode_url = '/photo/:/transcode?height=%s&width=%s&opacity=%s&saturation=%s&url=%s' % (
height, width, opacity, saturation, media)
return self.url(transcode_url)
class Account(object):
2017-01-02 21:06:40 +00:00
"""This is the locally cached MyPlex account information.
The properties provided don't matchthe myplex.MyPlexAccount object very well.
I believe this is here because access to myplexis not required
to get basic plex information.
2016-12-15 23:55:48 +00:00
Attributes:
2016-12-16 23:38:08 +00:00
authToken (sting): X-Plex-Token, using for authenication with PMS
2017-01-02 21:06:40 +00:00
mappingError (str):
mappingErrorMessage (None, str): Description
2016-12-15 23:55:48 +00:00
mappingState (TYPE): Description
2017-01-02 21:06:40 +00:00
privateAddress (str): Local ip
privatePort (str): Local port
publicAddress (str): Public ip
publicPort (str): Public port
signInState (str): ok
subscriptionActive (str): is returned as it
subscriptionFeatures (str): What feature your account has access to.
Fx: camera_upload,cloudsync,content_filter
subscriptionState (str): Active
username (str): You username
2016-12-15 23:06:12 +00:00
"""
def __init__(self, server, data):
2017-01-02 21:06:40 +00:00
"""Set attrs.
Args:
2017-01-02 21:19:07 +00:00
server (Plexclient):
data (xml.etree.ElementTree.Element): used to set the class attributes.
2016-12-16 23:38:08 +00:00
"""
self.authToken = data.attrib.get('authToken')
self.username = data.attrib.get('username')
self.mappingState = data.attrib.get('mappingState')
self.mappingError = data.attrib.get('mappingError')
self.mappingErrorMessage = data.attrib.get('mappingErrorMessage')
self.signInState = data.attrib.get('signInState')
self.publicAddress = data.attrib.get('publicAddress')
self.publicPort = data.attrib.get('publicPort')
self.privateAddress = data.attrib.get('privateAddress')
self.privatePort = data.attrib.get('privatePort')
self.subscriptionFeatures = data.attrib.get('subscriptionFeatures')
self.subscriptionActive = data.attrib.get('subscriptionActive')
self.subscriptionState = data.attrib.get('subscriptionState')