1 # python-musicpd: Python MPD client library
2 # Copyright (C) 2012-2020 kaliko <kaliko@azylum.org>
3 # Copyright (C) 2019 Naglis Jonaitis <naglis@mailbox.org>
4 # Copyright (C) 2019 Bart Van Loon <bbb@bbbart.be>
5 # Copyright (C) 2008-2010 J. Alexander Treuman <jat@spatialrift.net>
7 # python-musicpd is free software: you can redistribute it and/or modify
8 # it under the terms of the GNU Lesser General Public License as published by
9 # the Free Software Foundation, either version 3 of the License, or
10 # (at your option) any later version.
12 # python-musicpd is distributed in the hope that it will be useful,
13 # but WITHOUT ANY WARRANTY; without even the implied warranty of
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 # GNU Lesser General Public License for more details.
17 # You should have received a copy of the GNU Lesser General Public License
18 # along with python-musicpd. If not, see <http://www.gnu.org/licenses/>.
20 # pylint: disable=missing-docstring
25 from functools import wraps
27 HELLO_PREFIX = "OK MPD "
32 #: seconds before a tcp connection attempt times out
33 CONNECTION_TIMEOUT = 5
36 def iterator_wrapper(func):
37 """Decorator handling iterate option"""
39 def decorated_function(instance, *args, **kwargs):
40 generator = func(instance, *args, **kwargs)
41 if not instance.iterate:
42 return list(generator)
43 instance._iterating = True
50 instance._iterating = False
51 return iterator(generator)
52 return decorated_function
55 class MPDError(Exception):
59 class ConnectionError(MPDError):
63 class ProtocolError(MPDError):
67 class CommandError(MPDError):
71 class CommandListError(MPDError):
75 class PendingCommandError(MPDError):
79 class IteratingError(MPDError):
85 def __init__(self, tpl):
90 if len(self.tpl) == 0:
92 if len(self.tpl) == 1:
93 return '{0}:'.format(self.tpl[0])
94 return '{0[0]}:{0[1]}'.format(self.tpl)
97 return 'Range({0})'.format(self.tpl)
100 if not isinstance(self.tpl, tuple):
101 raise CommandError('Wrong type, provide a tuple')
102 if len(self.tpl) not in [0, 1, 2]:
103 raise CommandError('length not in [0, 1, 2]')
104 for index in self.tpl:
107 except (TypeError, ValueError):
108 raise CommandError('Not a tuple of int')
113 def __getattr__(self, attr):
117 raise ConnectionError("Not connected")
121 """MPDClient instance will look for ``MPD_HOST``/``MPD_PORT``/``XDG_RUNTIME_DIR`` environment
122 variables and set instance attribute ``host``, ``port`` and ``pwd``
123 accordingly. Regarding ``MPD_HOST`` format to expose password refer
124 MPD client manual :manpage:`mpc (1)`.
126 Then :py:obj:`musicpd.MPDClient.connect` will use ``host`` and ``port`` as defaults if not provided as args.
128 Cf. :py:obj:`musicpd.MPDClient.connect` for details.
130 >>> from os import environ
131 >>> environ['MPD_HOST'] = 'pass@mpdhost'
132 >>> cli = musicpd.MPDClient()
133 >>> cli.pwd == environ['MPD_HOST'].split('@')[0]
135 >>> cli.host == environ['MPD_HOST'].split('@')[1]
137 >>> cli.connect() # will use host/port as set in MPD_HOST/MPD_PORT
139 :ivar str host: host used with the current connection
140 :ivar str,int port: port used with the current connection
141 :ivar str pwd: password detected in ``MPD_HOST`` environment variable
143 .. warning:: Instance attribute host/port/pwd
145 While :py:attr:`musicpd.MPDClient().host` and
146 :py:attr:`musicpd.MPDClient().port` keep track of current connection
147 host and port, :py:attr:`musicpd.MPDClient().pwd` is set once with
148 password extracted from environment variable.
149 Calling :py:meth:`musicpd.MPDClient().password()` with a new password
150 won't update :py:attr:`musicpd.MPDClient().pwd` value.
152 Moreover, :py:attr:`musicpd.MPDClient().pwd` is only an helper attribute
153 exposing password extracted from ``MPD_HOST`` environment variable, it
154 will not be used as default value for the :py:meth:`password` method
162 "clearerror": self._fetch_nothing,
163 "currentsong": self._fetch_object,
164 "idle": self._fetch_list,
166 "status": self._fetch_object,
167 "stats": self._fetch_object,
168 # Playback Option Commands
169 "consume": self._fetch_nothing,
170 "crossfade": self._fetch_nothing,
171 "mixrampdb": self._fetch_nothing,
172 "mixrampdelay": self._fetch_nothing,
173 "random": self._fetch_nothing,
174 "repeat": self._fetch_nothing,
175 "setvol": self._fetch_nothing,
176 "single": self._fetch_nothing,
177 "replay_gain_mode": self._fetch_nothing,
178 "replay_gain_status": self._fetch_item,
179 "volume": self._fetch_nothing,
180 # Playback Control Commands
181 "next": self._fetch_nothing,
182 "pause": self._fetch_nothing,
183 "play": self._fetch_nothing,
184 "playid": self._fetch_nothing,
185 "previous": self._fetch_nothing,
186 "seek": self._fetch_nothing,
187 "seekid": self._fetch_nothing,
188 "seekcur": self._fetch_nothing,
189 "stop": self._fetch_nothing,
191 "add": self._fetch_nothing,
192 "addid": self._fetch_item,
193 "clear": self._fetch_nothing,
194 "delete": self._fetch_nothing,
195 "deleteid": self._fetch_nothing,
196 "move": self._fetch_nothing,
197 "moveid": self._fetch_nothing,
198 "playlist": self._fetch_playlist,
199 "playlistfind": self._fetch_songs,
200 "playlistid": self._fetch_songs,
201 "playlistinfo": self._fetch_songs,
202 "playlistsearch": self._fetch_songs,
203 "plchanges": self._fetch_songs,
204 "plchangesposid": self._fetch_changes,
205 "prio": self._fetch_nothing,
206 "prioid": self._fetch_nothing,
207 "rangeid": self._fetch_nothing,
208 "shuffle": self._fetch_nothing,
209 "swap": self._fetch_nothing,
210 "swapid": self._fetch_nothing,
211 "addtagid": self._fetch_nothing,
212 "cleartagid": self._fetch_nothing,
213 # Stored Playlist Commands
214 "listplaylist": self._fetch_list,
215 "listplaylistinfo": self._fetch_songs,
216 "listplaylists": self._fetch_playlists,
217 "load": self._fetch_nothing,
218 "playlistadd": self._fetch_nothing,
219 "playlistclear": self._fetch_nothing,
220 "playlistdelete": self._fetch_nothing,
221 "playlistmove": self._fetch_nothing,
222 "rename": self._fetch_nothing,
223 "rm": self._fetch_nothing,
224 "save": self._fetch_nothing,
226 "albumart": self._fetch_composite,
227 "count": self._fetch_object,
228 "find": self._fetch_songs,
229 "findadd": self._fetch_nothing,
230 "list": self._fetch_list,
231 "listall": self._fetch_database,
232 "listallinfo": self._fetch_database,
233 "listfiles": self._fetch_database,
234 "lsinfo": self._fetch_database,
235 "readcomments": self._fetch_object,
236 "search": self._fetch_songs,
237 "searchadd": self._fetch_nothing,
238 "searchaddpl": self._fetch_nothing,
239 "update": self._fetch_item,
240 "rescan": self._fetch_item,
241 # Mounts and neighbors
242 "mount": self._fetch_nothing,
243 "unmount": self._fetch_nothing,
244 "listmounts": self._fetch_mounts,
245 "listneighbors": self._fetch_neighbors,
247 "sticker get": self._fetch_item,
248 "sticker set": self._fetch_nothing,
249 "sticker delete": self._fetch_nothing,
250 "sticker list": self._fetch_list,
251 "sticker find": self._fetch_songs,
252 # Connection Commands
255 "password": self._fetch_nothing,
256 "ping": self._fetch_nothing,
257 "tagtypes": self._fetch_list,
258 "tagtypes disable": self._fetch_nothing,
259 "tagtypes enable": self._fetch_nothing,
260 "tagtypes clear": self._fetch_nothing,
261 "tagtypes all": self._fetch_nothing,
263 "partition": self._fetch_nothing,
264 "listpartitions": self._fetch_list,
265 "newpartition": self._fetch_nothing,
266 # Audio Output Commands
267 "disableoutput": self._fetch_nothing,
268 "enableoutput": self._fetch_nothing,
269 "toggleoutput": self._fetch_nothing,
270 "outputs": self._fetch_outputs,
271 "outputset": self._fetch_nothing,
272 # Reflection Commands
273 "config": self._fetch_object,
274 "commands": self._fetch_list,
275 "notcommands": self._fetch_list,
276 "urlhandlers": self._fetch_list,
277 "decoders": self._fetch_plugins,
279 "subscribe": self._fetch_nothing,
280 "unsubscribe": self._fetch_nothing,
281 "channels": self._fetch_list,
282 "readmessages": self._fetch_messages,
283 "sendmessage": self._fetch_nothing,
287 def _get_envvars(self):
289 Retrieve MPD env. var. to overrides "localhost:6600"
290 Use MPD_HOST/MPD_PORT if set
291 else use MPD_HOST=${XDG_RUNTIME_DIR:-/run/}/mpd/socket if file exists
293 self.host = 'localhost'
295 self.port = os.environ.get('MPD_PORT', '6600')
296 mpd_host_env = os.environ.get('MPD_HOST')
298 # If password is set:
299 # mpd_host_env = ['pass', 'host'] because MPD_HOST=pass@host
300 mpd_host_env = mpd_host_env.split('@')
301 mpd_host_env.reverse()
302 self.host = mpd_host_env[0]
303 if len(mpd_host_env) > 1 and mpd_host_env[1]:
304 self.pwd = mpd_host_env[1]
307 xdg_runtime_dir = os.environ.get('XDG_RUNTIME_DIR', '/run')
308 rundir = os.path.join(xdg_runtime_dir, 'mpd/socket')
309 if os.path.exists(rundir):
312 def __getattr__(self, attr):
313 if attr == 'send_noidle': # have send_noidle to cancel idle as well as noidle
315 if attr.startswith("send_"):
316 command = attr.replace("send_", "", 1)
318 elif attr.startswith("fetch_"):
319 command = attr.replace("fetch_", "", 1)
320 wrapper = self._fetch
323 wrapper = self._execute
324 if command not in self._commands:
325 command = command.replace("_", " ")
326 if command not in self._commands:
327 raise AttributeError("'%s' object has no attribute '%s'" %
328 (self.__class__.__name__, attr))
329 return lambda *args: wrapper(command, args)
331 def _send(self, command, args):
332 if self._command_list is not None:
333 raise CommandListError("Cannot use send_%s in a command list" %
334 command.replace(" ", "_"))
335 self._write_command(command, args)
336 retval = self._commands[command]
337 if retval is not None:
338 self._pending.append(command)
340 def _fetch(self, command, args=None):
341 if self._command_list is not None:
342 raise CommandListError("Cannot use fetch_%s in a command list" %
343 command.replace(" ", "_"))
345 raise IteratingError("Cannot use fetch_%s while iterating" %
346 command.replace(" ", "_"))
347 if not self._pending:
348 raise PendingCommandError("No pending commands to fetch")
349 if self._pending[0] != command:
350 raise PendingCommandError("'%s' is not the currently "
351 "pending command" % command)
353 retval = self._commands[command]
358 def _execute(self, command, args):
360 raise IteratingError("Cannot execute '%s' while iterating" %
363 raise PendingCommandError(
364 "Cannot execute '%s' with pending commands" % command)
365 retval = self._commands[command]
366 if self._command_list is not None:
367 if not callable(retval):
368 raise CommandListError(
369 "'%s' not allowed in command list" % command)
370 self._write_command(command, args)
371 self._command_list.append(retval)
373 self._write_command(command, args)
378 def _write_line(self, line):
379 self._wfile.write("%s\n" % line)
382 def _write_command(self, command, args=None):
387 if isinstance(arg, tuple):
388 parts.append('{0!s}'.format(Range(arg)))
390 parts.append('"%s"' % escape(str(arg)))
391 self._write_line(" ".join(parts))
393 def _read_binary(self, amount):
396 result = self._rbfile.read(amount)
399 raise ConnectionError("Connection lost while reading binary content")
401 amount -= len(result)
404 def _read_line(self, binary=False):
406 line = self._rbfile.readline().decode('utf-8')
408 line = self._rfile.readline()
409 if not line.endswith("\n"):
411 raise ConnectionError("Connection lost while reading line")
412 line = line.rstrip("\n")
413 if line.startswith(ERROR_PREFIX):
414 error = line[len(ERROR_PREFIX):].strip()
415 raise CommandError(error)
416 if self._command_list is not None:
420 raise ProtocolError("Got unexpected '%s'" % SUCCESS)
421 elif line == SUCCESS:
425 def _read_pair(self, separator, binary=False):
426 line = self._read_line(binary=binary)
429 pair = line.split(separator, 1)
431 raise ProtocolError("Could not parse pair: '%s'" % line)
434 def _read_pairs(self, separator=": ", binary=False):
435 pair = self._read_pair(separator, binary=binary)
438 pair = self._read_pair(separator, binary=binary)
440 def _read_list(self):
442 for key, value in self._read_pairs():
445 raise ProtocolError("Expected key '%s', got '%s'" %
450 def _read_playlist(self):
451 for _, value in self._read_pairs(":"):
454 def _read_objects(self, delimiters=None):
456 if delimiters is None:
458 for key, value in self._read_pairs():
461 if key in delimiters:
465 if not isinstance(obj[key], list):
466 obj[key] = [obj[key], value]
468 obj[key].append(value)
474 def _read_command_list(self):
476 for retval in self._command_list:
479 self._command_list = None
480 self._fetch_nothing()
482 def _fetch_nothing(self):
483 line = self._read_line()
485 raise ProtocolError("Got unexpected return value: '%s'" % line)
487 def _fetch_item(self):
488 pairs = list(self._read_pairs())
494 def _fetch_list(self):
495 return self._read_list()
498 def _fetch_playlist(self):
499 return self._read_playlist()
501 def _fetch_object(self):
502 objs = list(self._read_objects())
508 def _fetch_objects(self, delimiters):
509 return self._read_objects(delimiters)
511 def _fetch_changes(self):
512 return self._fetch_objects(["cpos"])
514 def _fetch_songs(self):
515 return self._fetch_objects(["file"])
517 def _fetch_playlists(self):
518 return self._fetch_objects(["playlist"])
520 def _fetch_database(self):
521 return self._fetch_objects(["file", "directory", "playlist"])
523 def _fetch_outputs(self):
524 return self._fetch_objects(["outputid"])
526 def _fetch_plugins(self):
527 return self._fetch_objects(["plugin"])
529 def _fetch_messages(self):
530 return self._fetch_objects(["channel"])
532 def _fetch_mounts(self):
533 return self._fetch_objects(["mount"])
535 def _fetch_neighbors(self):
536 return self._fetch_objects(["neighbor"])
538 def _fetch_composite(self):
540 for key, value in self._read_pairs(binary=True):
545 amount = int(obj['binary'])
547 obj['data'] = self._read_binary(amount)
548 except IOError as err:
549 raise ConnectionError('Error reading binary content: %s' % err)
550 if len(obj['data']) != amount:
551 raise ConnectionError('Error reading binary content: '
552 'Expects %sB, got %s' % (amount, len(obj['data'])))
553 # Fetches trailing new line
554 self._read_line(binary=True)
555 # Fetches SUCCESS code
556 self._read_line(binary=True)
560 def _fetch_command_list(self):
561 return self._read_command_list()
564 line = self._rfile.readline()
565 if not line.endswith("\n"):
566 raise ConnectionError("Connection lost while reading MPD hello")
567 line = line.rstrip("\n")
568 if not line.startswith(HELLO_PREFIX):
569 raise ProtocolError("Got invalid MPD hello: '%s'" % line)
570 self.mpd_version = line[len(HELLO_PREFIX):].strip()
573 self.mpd_version = None
574 self._iterating = False
576 self._command_list = None
578 self._rfile = _NotConnected()
579 self._rbfile = _NotConnected()
580 self._wfile = _NotConnected()
582 def _connect_unix(self, path):
583 if not hasattr(socket, "AF_UNIX"):
584 raise ConnectionError(
585 "Unix domain sockets not supported on this platform")
586 sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
590 def _connect_tcp(self, host, port):
592 flags = socket.AI_ADDRCONFIG
593 except AttributeError:
596 for res in socket.getaddrinfo(host, port, socket.AF_UNSPEC,
597 socket.SOCK_STREAM, socket.IPPROTO_TCP,
599 af, socktype, proto, _, sa = res
602 sock = socket.socket(af, socktype, proto)
603 sock.settimeout(CONNECTION_TIMEOUT)
605 sock.settimeout(None)
607 except socket.error as socket_err:
612 raise ConnectionError(str(err))
614 raise ConnectionError("getaddrinfo returns an empty list")
617 # noidle's special case
618 if not self._pending or self._pending[0] != 'idle':
620 'cannot send noidle if send_idle was not called')
622 self._write_command("noidle")
623 return self._fetch_list()
625 def connect(self, host=None, port=None):
626 """Connects the MPD server
628 :param str host: hostname, IP or FQDN (defaults to `localhost` or socket, see below for details)
629 :param port: port number (defaults to 6600)
630 :type port: str or int
632 The connect method honors MPD_HOST/MPD_PORT environment variables.
634 .. note:: Default host/port
636 If host evaluate to :py:obj:`False`
637 * use ``MPD_HOST`` environment variable if set, extract password if present,
638 * else looks for a existing file in ``${XDG_RUNTIME_DIR:-/run/}/mpd/socket``
639 * else set host to ``localhost``
641 If port evaluate to :py:obj:`False`
642 * if ``MPD_PORT`` environment variable is set, use it for port
653 if self._sock is not None:
654 raise ConnectionError("Already connected")
655 if host.startswith("/"):
656 self._sock = self._connect_unix(host)
658 self._sock = self._connect_tcp(host, port)
659 self._rfile = self._sock.makefile("r", encoding='utf-8', errors='surrogateescape')
660 self._rbfile = self._sock.makefile("rb")
661 self._wfile = self._sock.makefile("w", encoding='utf-8')
668 def disconnect(self):
669 """Closes the MPD connection.
670 The client closes the actual socket, it does not use the
671 'close' request from MPD protocol (as suggested in documentation).
673 if hasattr(self._rfile, 'close'):
675 if hasattr(self._rbfile, 'close'):
677 if hasattr(self._wfile, 'close'):
679 if hasattr(self._sock, 'close'):
684 if self._sock is None:
685 raise ConnectionError("Not connected")
686 return self._sock.fileno()
688 def command_list_ok_begin(self):
689 if self._command_list is not None:
690 raise CommandListError("Already in command list")
692 raise IteratingError("Cannot begin command list while iterating")
694 raise PendingCommandError("Cannot begin command list "
695 "with pending commands")
696 self._write_command("command_list_ok_begin")
697 self._command_list = []
699 def command_list_end(self):
700 if self._command_list is None:
701 raise CommandListError("Not in command list")
703 raise IteratingError("Already iterating over a command list")
704 self._write_command("command_list_end")
705 return self._fetch_command_list()
709 return text.replace("\\", "\\\\").replace('"', '\\"')
711 # vim: set expandtab shiftwidth=4 softtabstop=4 textwidth=79: