forked from platypush/platypush
440 lines
12 KiB
Python
440 lines
12 KiB
Python
import mpd
|
|
import re
|
|
|
|
from platypush.message.response import Response
|
|
|
|
from .. import MusicPlugin
|
|
|
|
class MusicMpdPlugin(MusicPlugin):
|
|
"""
|
|
This plugin allows you to interact with an MPD/Mopidy music server. MPD
|
|
(https://www.musicpd.org/) is a flexible server-side protocol/application
|
|
for handling music collections and playing music, mostly aimed to manage
|
|
local libraries. Mopidy (https://www.mopidy.com/) is an evolution of MPD,
|
|
compatible with the original protocol and with support for multiple music
|
|
sources through plugins (e.g. Spotify, TuneIn, Soundcloud, local files
|
|
etc.).
|
|
|
|
Requires:
|
|
|
|
* **python-mpd2** (``pip install python-mpd2``)
|
|
"""
|
|
|
|
def __init__(self, host, port=6600):
|
|
"""
|
|
:param host: MPD IP/hostname
|
|
:type host: str
|
|
|
|
:param port: MPD port (default: 6600)
|
|
:type port: int
|
|
"""
|
|
|
|
self.host = host
|
|
self.port = port
|
|
self.client = mpd.MPDClient(use_unicode=True)
|
|
self.client.connect(self.host, self.port)
|
|
|
|
def _exec(self, method, *args, **kwargs):
|
|
getattr(self.client, method)(*args, **kwargs)
|
|
return self.status()
|
|
|
|
def play(self, resource=None):
|
|
"""
|
|
Play a resource by path/URI
|
|
|
|
:param resource: Resource path/URI
|
|
:type resource: str
|
|
"""
|
|
|
|
if resource:
|
|
self.clear()
|
|
self.add(resource)
|
|
return self._exec('play')
|
|
|
|
def play_pos(self, pos):
|
|
"""
|
|
Play a track in the current playlist by position number
|
|
|
|
:param pos: Position number
|
|
:type resource: int
|
|
"""
|
|
|
|
return self._exec('play', pos)
|
|
|
|
def pause(self):
|
|
""" Pause playback """
|
|
|
|
status = self.status().output['state']
|
|
if status == 'play': return self._exec('pause')
|
|
else: return self._exec('play')
|
|
|
|
def pause_if_playing(self):
|
|
""" Pause playback only if it's playing """
|
|
|
|
status = self.status().output['state']
|
|
if status == 'play': return self._exec('pause')
|
|
else: return Response(output={})
|
|
|
|
def play_if_paused(self):
|
|
""" Play only if it's paused (resume) """
|
|
|
|
status = self.status().output['state']
|
|
if status == 'pause': return self._exec('play')
|
|
else: return Response(output={})
|
|
|
|
def stop(self):
|
|
""" Stop playback """
|
|
|
|
return self._exec('stop')
|
|
|
|
def play_or_stop(self):
|
|
""" Play or stop (play state toggle) """
|
|
status = self.status().output['state']
|
|
if status == 'play': return self._exec('stop')
|
|
else: return self._exec('play')
|
|
|
|
def playid(self, track_id):
|
|
"""
|
|
Play a track by ID
|
|
|
|
:param track_id: Track ID
|
|
:type track_id: str
|
|
"""
|
|
|
|
return self._exec('playid', track_id)
|
|
|
|
def next(self):
|
|
""" Play the next track """
|
|
return self._exec('next')
|
|
|
|
def previous(self):
|
|
""" Play the previous track """
|
|
return self._exec('previous')
|
|
|
|
def setvol(self, vol):
|
|
"""
|
|
Set the volume
|
|
|
|
:param vol: Volume value (range: 0-100)
|
|
:type vol: int
|
|
"""
|
|
return self._exec('setvol', vol)
|
|
|
|
def volup(self, delta=10):
|
|
"""
|
|
Turn up the volume
|
|
|
|
:param delta: Volume up delta (default: +10%)
|
|
:type delta: int
|
|
"""
|
|
|
|
volume = int(self.status().output['volume'])
|
|
new_volume = volume+delta
|
|
if new_volume <= 100:
|
|
self.setvol(str(new_volume))
|
|
return self.status()
|
|
|
|
def voldown(self, delta=10):
|
|
"""
|
|
Turn down the volume
|
|
|
|
:param delta: Volume down delta (default: -10%)
|
|
:type delta: int
|
|
"""
|
|
|
|
volume = int(self.status().output['volume'])
|
|
new_volume = volume-delta
|
|
if new_volume >= 0:
|
|
self.setvol(str(new_volume))
|
|
return self.status()
|
|
|
|
def random(self, value=None):
|
|
"""
|
|
Set shuffle mode
|
|
|
|
:param value: If set, set the random/shuffle state this value (true/false). Default: None (toggle current state)
|
|
:type value: bool
|
|
"""
|
|
|
|
if value is None:
|
|
value = int(self.status().output['random'])
|
|
value = 1 if value == 0 else 0
|
|
return self._exec('random', value)
|
|
|
|
def repeat(self, value=None):
|
|
"""
|
|
Set repeat mode
|
|
|
|
:param value: If set, set the repeat state this value (true/false). Default: None (toggle current state)
|
|
:type value: bool
|
|
"""
|
|
|
|
if value is None:
|
|
value = int(self.status().output['repeat'])
|
|
value = 1 if value == 0 else 0
|
|
return self._exec('repeat', value)
|
|
|
|
def add(self, resource):
|
|
"""
|
|
Add a resource (track, album, artist, folder etc.) to the current playlist
|
|
|
|
:param resource: Resource path or URI
|
|
:type resource: str
|
|
"""
|
|
|
|
return self._exec('add', resource)
|
|
|
|
def load(self, playlist):
|
|
"""
|
|
Load and play a playlist by name
|
|
|
|
:param playlist: Playlist name
|
|
:type playlist: str
|
|
"""
|
|
|
|
self._exec('load', playlist)
|
|
return self.play()
|
|
|
|
def clear(self):
|
|
""" Clear the current playlist """
|
|
return self._exec('clear')
|
|
|
|
def seekcur(self, value):
|
|
"""
|
|
Seek to the specified position
|
|
|
|
:param value: Seek position in seconds, or delta string (e.g. '+15' or '-15') to indicate a seek relative to the current position
|
|
:type value: int
|
|
"""
|
|
|
|
return self._exec('seekcur', value)
|
|
|
|
def forward(self):
|
|
""" Go forward by 15 seconds """
|
|
|
|
return self._exec('seekcur', '+15')
|
|
|
|
def back(self):
|
|
""" Go backward by 15 seconds """
|
|
|
|
return self._exec('seekcur', '-15')
|
|
|
|
def status(self):
|
|
"""
|
|
:returns: The current state.
|
|
|
|
Example response::
|
|
|
|
output = {
|
|
"volume": "9",
|
|
"repeat": "0",
|
|
"random": "0",
|
|
"single": "0",
|
|
"consume": "0",
|
|
"playlist": "52",
|
|
"playlistlength": "14",
|
|
"xfade": "0",
|
|
"state": "play",
|
|
"song": "9",
|
|
"songid": "3061",
|
|
"nextsong": "10",
|
|
"nextsongid": "3062",
|
|
"time": "161:255",
|
|
"elapsed": "161.967",
|
|
"bitrate": "320"
|
|
}
|
|
"""
|
|
|
|
return Response(output=self.client.status())
|
|
|
|
def currentsong(self):
|
|
"""
|
|
:returns: The currently played track.
|
|
|
|
Example response::
|
|
|
|
output = {
|
|
"file": "spotify:track:7CO5ADlDN3DcR2pwlnB14P",
|
|
"time": "255",
|
|
"artist": "Elbow",
|
|
"album": "Little Fictions",
|
|
"title": "Kindling",
|
|
"date": "2017",
|
|
"track": "10",
|
|
"pos": "9",
|
|
"id": "3061",
|
|
"albumartist": "Elbow",
|
|
"x-albumuri": "spotify:album:6q5KhDhf9BZkoob7uAnq19"
|
|
}
|
|
"""
|
|
|
|
track = self.client.currentsong()
|
|
if 'title' in track and ('artist' not in track
|
|
or not track['artist']
|
|
or re.search('^tunein:', track['file'])):
|
|
m = re.match('^\s*(.+?)\s+-\s+(.*)\s*$', track['title'])
|
|
if m and m.group(1) and m.group(2):
|
|
track['artist'] = m.group(1)
|
|
track['title'] = m.group(2)
|
|
|
|
return Response(output=track)
|
|
|
|
def playlistinfo(self):
|
|
"""
|
|
:returns: The tracks in the current playlist as a list of dicts.
|
|
|
|
Example output::
|
|
|
|
output = [
|
|
{
|
|
"file": "spotify:track:79VtgIoznishPUDWO7Kafu",
|
|
"time": "355",
|
|
"artist": "Elbow",
|
|
"album": "Little Fictions",
|
|
"title": "Trust the Sun",
|
|
"date": "2017",
|
|
"track": "3",
|
|
"pos": "10",
|
|
"id": "3062",
|
|
"albumartist": "Elbow",
|
|
"x-albumuri": "spotify:album:6q5KhDhf9BZkoob7uAnq19"
|
|
},
|
|
{
|
|
"file": "spotify:track:3EzTre0pxmoMYRuhJKMHj6",
|
|
"time": "219",
|
|
"artist": "Elbow",
|
|
"album": "Little Fictions",
|
|
"title": "Gentle Storm",
|
|
"date": "2017",
|
|
"track": "2",
|
|
"pos": "11",
|
|
"id": "3063",
|
|
"albumartist": "Elbow",
|
|
"x-albumuri": "spotify:album:6q5KhDhf9BZkoob7uAnq19"
|
|
},
|
|
]
|
|
"""
|
|
|
|
return Response(output=self.client.playlistinfo())
|
|
|
|
def listplaylists(self):
|
|
"""
|
|
:returns: The playlists available on the server as a list of dicts.
|
|
|
|
Example response::
|
|
|
|
output = [
|
|
{
|
|
"playlist": "Rock",
|
|
"last-modified": "2018-06-25T21:28:19Z"
|
|
},
|
|
{
|
|
"playlist": "Jazz",
|
|
"last-modified": "2018-06-24T22:28:29Z"
|
|
},
|
|
{
|
|
# ...
|
|
}
|
|
]
|
|
"""
|
|
|
|
return Response(output=sorted(self.client.listplaylists(),
|
|
key=lambda p: p['playlist']))
|
|
|
|
def lsinfo(self, uri=None):
|
|
"""
|
|
Returns the list of playlists and directories on the server
|
|
"""
|
|
|
|
output = self.client.lsinfo(uri) if uri else self.client.lsinfo()
|
|
return Response(output=output)
|
|
|
|
def plchanges(self, version):
|
|
"""
|
|
Show what has changed on the current playlist since a specified playlist
|
|
version number.
|
|
|
|
:param version: Version number
|
|
:type version: int
|
|
|
|
:returns: A list of dicts representing the songs being added since the specified version
|
|
"""
|
|
|
|
return Response(output=self.client.plchanges(version))
|
|
|
|
def searchaddplaylist(self, name):
|
|
"""
|
|
Search and add a playlist by (partial or full) name
|
|
|
|
:param name: Playlist name, can be partial
|
|
:type name: str
|
|
"""
|
|
|
|
playlists = list(map(lambda _: _['playlist'],
|
|
filter(lambda playlist:
|
|
name.lower() in playlist['playlist'].lower(),
|
|
self.client.listplaylists())))
|
|
|
|
if len(playlists):
|
|
self.client.clear()
|
|
self.client.load(playlists[0])
|
|
self.client.play()
|
|
return Response(output={'playlist': playlists[0]})
|
|
|
|
return Response(output={})
|
|
|
|
def find(self, filter, *args, **kwargs):
|
|
"""
|
|
Find in the database/library by filter.
|
|
|
|
:param filter: Search filter. MPD treats it as a key-valued list (e.g. ``["artist", "Led Zeppelin", "album", "IV"]``)
|
|
:type filter: list[str]
|
|
:returns: list[dict]
|
|
"""
|
|
|
|
return Response(
|
|
output=self.client.find(*filter, *args, **kwargs))
|
|
|
|
def findadd(self, filter, *args, **kwargs):
|
|
"""
|
|
Find in the database/library by filter and add to the current playlist.
|
|
|
|
:param filter: Search filter. MPD treats it as a key-valued list (e.g. ``["artist", "Led Zeppelin", "album", "IV"]``)
|
|
:type filter: list[str]
|
|
:returns: list[dict]
|
|
"""
|
|
|
|
return Response(
|
|
output=self.client.findadd(*filter, *args, **kwargs))
|
|
|
|
def search(self, filter, *args, **kwargs):
|
|
"""
|
|
Free search by filter.
|
|
|
|
:param filter: Search filter. MPD treats it as a key-valued list (e.g. ``["artist", "Led Zeppelin", "album", "IV"]``)
|
|
:type filter: list[str]
|
|
:returns: list[dict]
|
|
"""
|
|
|
|
items = self.client.search(*filter, *args, **kwargs)
|
|
|
|
# Spotify results first
|
|
items = sorted(items, key=lambda item:
|
|
0 if item['file'].startswith('spotify:') else 1)
|
|
|
|
return Response(output=items)
|
|
|
|
def searchadd(self, filter, *args, **kwargs):
|
|
"""
|
|
Free search by filter and add the results to the current playlist.
|
|
|
|
:param filter: Search filter. MPD treats it as a key-valued list (e.g. ``["artist", "Led Zeppelin", "album", "IV"]``)
|
|
:type filter: list[str]
|
|
:returns: list[dict]
|
|
"""
|
|
|
|
return Response(
|
|
output=self.client.searchadd(*filter, *args, **kwargs))
|
|
|
|
# vim:sw=4:ts=4:et:
|
|
|