]> kaliko git repositories - python-musicpd.git/blob - mpd.py
adding replay_gain_mode and replay_gain_status commands
[python-musicpd.git] / mpd.py
1 # python-mpd: Python MPD client library
2 # Copyright (C) 2008-2010  J. Alexander Treuman <jat@spatialrift.net>
3 #
4 # python-mpd is free software: you can redistribute it and/or modify
5 # it under the terms of the GNU Lesser General Public License as published by
6 # the Free Software Foundation, either version 3 of the License, or
7 # (at your option) any later version.
8 #
9 # python-mpd is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12 # GNU Lesser General Public License for more details.
13 #
14 # You should have received a copy of the GNU Lesser General Public License
15 # along with python-mpd.  If not, see <http://www.gnu.org/licenses/>.
16
17 import socket
18
19
20 HELLO_PREFIX = "OK MPD "
21 ERROR_PREFIX = "ACK "
22 SUCCESS = "OK"
23 NEXT = "list_OK"
24
25
26 class MPDError(Exception):
27     pass
28
29 class ConnectionError(MPDError):
30     pass
31
32 class ProtocolError(MPDError):
33     pass
34
35 class CommandError(MPDError):
36     pass
37
38 class CommandListError(MPDError):
39     pass
40
41 class PendingCommandError(MPDError):
42     pass
43
44 class IteratingError(MPDError):
45     pass
46
47
48 class _NotConnected(object):
49     def __getattr__(self, attr):
50         return self._dummy
51
52     def _dummy(*args):
53         raise ConnectionError("Not connected")
54
55 class MPDClient(object):
56     def __init__(self):
57         self.iterate = False
58         self._reset()
59         self._commands = {
60             # Status Commands
61             "clearerror":         self._fetch_nothing,
62             "currentsong":        self._fetch_object,
63             "idle":               self._fetch_list,
64             "noidle":             None,
65             "status":             self._fetch_object,
66             "stats":              self._fetch_object,
67             # Playback Option Commands
68             "consume":            self._fetch_nothing,
69             "crossfade":          self._fetch_nothing,
70             "mixrampdb":          self._fetch_nothing,
71             "mixrampdelay":       self._fetch_nothing,
72             "random":             self._fetch_nothing,
73             "repeat":             self._fetch_nothing,
74             "setvol":             self._fetch_nothing,
75             "single":             self._fetch_nothing,
76             "replay_gain_mode":   self._fetch_nothing,
77             "replay_gain_status": self._fetch_item,
78             "volume":             self._fetch_nothing,
79             # Playback Control Commands
80             "next":               self._fetch_nothing,
81             "pause":              self._fetch_nothing,
82             "play":               self._fetch_nothing,
83             "playid":             self._fetch_nothing,
84             "previous":           self._fetch_nothing,
85             "seek":               self._fetch_nothing,
86             "seekid":             self._fetch_nothing,
87             "stop":               self._fetch_nothing,
88             # Playlist Commands
89             "add":                self._fetch_nothing,
90             "addid":              self._fetch_item,
91             "clear":              self._fetch_nothing,
92             "delete":             self._fetch_nothing,
93             "deleteid":           self._fetch_nothing,
94             "move":               self._fetch_nothing,
95             "moveid":             self._fetch_nothing,
96             "playlist":           self._fetch_playlist,
97             "playlistfind":       self._fetch_songs,
98             "playlistid":         self._fetch_songs,
99             "playlistinfo":       self._fetch_songs,
100             "playlistsearch":     self._fetch_songs,
101             "plchanges":          self._fetch_songs,
102             "plchangesposid":     self._fetch_changes,
103             "shuffle":            self._fetch_nothing,
104             "swap":               self._fetch_nothing,
105             "swapid":             self._fetch_nothing,
106             # Stored Playlist Commands
107             "listplaylist":       self._fetch_list,
108             "listplaylistinfo":   self._fetch_songs,
109             "listplaylists":      self._fetch_playlists,
110             "load":               self._fetch_nothing,
111             "playlistadd":        self._fetch_nothing,
112             "playlistclear":      self._fetch_nothing,
113             "playlistdelete":     self._fetch_nothing,
114             "playlistmove":       self._fetch_nothing,
115             "rename":             self._fetch_nothing,
116             "rm":                 self._fetch_nothing,
117             "save":               self._fetch_nothing,
118             # Database Commands
119             "count":              self._fetch_object,
120             "find":               self._fetch_songs,
121             "findadd":            self._fetch_nothing,
122             "list":               self._fetch_list,
123             "listall":            self._fetch_database,
124             "listallinfo":        self._fetch_database,
125             "lsinfo":             self._fetch_database,
126             "search":             self._fetch_songs,
127             "update":             self._fetch_item,
128             "rescan":             self._fetch_item,
129             # Sticker Commands
130             "sticker get":        self._fetch_item,
131             "sticker set":        self._fetch_nothing,
132             "sticker delete":     self._fetch_nothing,
133             "sticker list":       self._fetch_list,
134             "sticker find":       self._fetch_songs,
135             # Connection Commands
136             "close":              None,
137             "kill":               None,
138             "password":           self._fetch_nothing,
139             "ping":               self._fetch_nothing,
140             # Audio Output Commands
141             "disableoutput":      self._fetch_nothing,
142             "enableoutput":       self._fetch_nothing,
143             "outputs":            self._fetch_outputs,
144             # Reflection Commands
145             "commands":           self._fetch_list,
146             "notcommands":        self._fetch_list,
147             "tagtypes":           self._fetch_list,
148             "urlhandlers":        self._fetch_list,
149             "decoders":           self._fetch_plugins,
150         }
151
152     def __getattr__(self, attr):
153         if attr.startswith("send_"):
154             command = attr.replace("send_", "", 1)
155             wrapper = self._send
156         elif attr.startswith("fetch_"):
157             command = attr.replace("fetch_", "", 1)
158             wrapper = self._fetch
159         else:
160             command = attr
161             wrapper = self._execute
162         if command not in self._commands:
163             command = command.replace("_", " ")
164             if command not in self._commands:
165                 raise AttributeError("'%s' object has no attribute '%s'" %
166                                      (self.__class__.__name__, attr))
167         return lambda *args: wrapper(command, args)
168
169     def _send(self, command, args):
170         if self._command_list is not None:
171             raise CommandListError("Cannot use send_%s in a command list" %
172                                    command.replace(" ", "_"))
173         self._write_command(command, args)
174         self._pending.append(command)
175
176     def _fetch(self, command, args=None):
177         if self._command_list is not None:
178             raise CommandListError("Cannot use fetch_%s in a command list" %
179                                    command.replace(" ", "_"))
180         if self._iterating:
181             raise IteratingError("Cannot use fetch_%s while iterating" %
182                                  command.replace(" ", "_"))
183         if not self._pending:
184             raise PendingCommandError("No pending commands to fetch")
185         if self._pending[0] != command:
186             raise PendingCommandError("'%s' is not the currently "
187                                       "pending command" % command)
188         del self._pending[0]
189         retval = self._commands[command]
190         if callable(retval):
191             return retval()
192
193     def _execute(self, command, args):
194         if self._iterating:
195             raise IteratingError("Cannot execute '%s' while iterating" %
196                                  command)
197         if self._pending:
198             raise PendingCommandError("Cannot execute '%s' with "
199                                       "pending commands" % command)
200         retval = self._commands[command]
201         if self._command_list is not None:
202             if not callable(retval):
203                 raise CommandListError("'%s' not allowed in command list" %
204                                         command)
205             self._write_command(command, args)
206             self._command_list.append(retval)
207         else:
208             self._write_command(command, args)
209             if callable(retval):
210                 return retval()
211             return retval
212
213     def _write_line(self, line):
214         self._wfile.write("%s\n" % line)
215         self._wfile.flush()
216
217     def _write_command(self, command, args=[]):
218         parts = [command]
219         for arg in args:
220             parts.append('"%s"' % escape(str(arg)))
221         self._write_line(" ".join(parts))
222
223     def _read_line(self):
224         line = self._rfile.readline()
225         if not line.endswith("\n"):
226             raise ConnectionError("Connection lost while reading line")
227         line = line.rstrip("\n")
228         if line.startswith(ERROR_PREFIX):
229             error = line[len(ERROR_PREFIX):].strip()
230             raise CommandError(error)
231         if self._command_list is not None:
232             if line == NEXT:
233                 return
234             if line == SUCCESS:
235                 raise ProtocolError("Got unexpected '%s'" % SUCCESS)
236         elif line == SUCCESS:
237             return
238         return line
239
240     def _read_pair(self, separator):
241         line = self._read_line()
242         if line is None:
243             return
244         pair = line.split(separator, 1)
245         if len(pair) < 2:
246             raise ProtocolError("Could not parse pair: '%s'" % line)
247         return pair
248
249     def _read_pairs(self, separator=": "):
250         pair = self._read_pair(separator)
251         while pair:
252             yield pair
253             pair = self._read_pair(separator)
254
255     def _read_list(self):
256         seen = None
257         for key, value in self._read_pairs():
258             if key != seen:
259                 if seen is not None:
260                     raise ProtocolError("Expected key '%s', got '%s'" %
261                                         (seen, key))
262                 seen = key
263             yield value
264
265     def _read_playlist(self):
266         for key, value in self._read_pairs(":"):
267             yield value
268
269     def _read_objects(self, delimiters=[]):
270         obj = {}
271         for key, value in self._read_pairs():
272             key = key.lower()
273             if obj:
274                 if key in delimiters:
275                     yield obj
276                     obj = {}
277                 elif key in obj:
278                     if not isinstance(obj[key], list):
279                         obj[key] = [obj[key], value]
280                     else:
281                         obj[key].append(value)
282                     continue
283             obj[key] = value
284         if obj:
285             yield obj
286
287     def _read_command_list(self):
288         try:
289             for retval in self._command_list:
290                 yield retval()
291         finally:
292             self._command_list = None
293         self._fetch_nothing()
294
295     def _iterator_wrapper(self, iterator):
296         try:
297             for item in iterator:
298                 yield item
299         finally:
300             self._iterating = False
301
302     def _wrap_iterator(self, iterator):
303         if not self.iterate:
304             return list(iterator)
305         self._iterating = True
306         return self._iterator_wrapper(iterator)
307
308     def _fetch_nothing(self):
309         line = self._read_line()
310         if line is not None:
311             raise ProtocolError("Got unexpected return value: '%s'" % line)
312
313     def _fetch_item(self):
314         pairs = list(self._read_pairs())
315         if len(pairs) != 1:
316             return
317         return pairs[0][1]
318
319     def _fetch_list(self):
320         return self._wrap_iterator(self._read_list())
321
322     def _fetch_playlist(self):
323         return self._wrap_iterator(self._read_playlist())
324
325     def _fetch_object(self):
326         objs = list(self._read_objects())
327         if not objs:
328             return {}
329         return objs[0]
330
331     def _fetch_objects(self, delimiters):
332         return self._wrap_iterator(self._read_objects(delimiters))
333
334     def _fetch_changes(self):
335         return self._fetch_objects(["cpos"])
336
337     def _fetch_songs(self):
338         return self._fetch_objects(["file"])
339
340     def _fetch_playlists(self):
341         return self._fetch_objects(["playlist"])
342
343     def _fetch_database(self):
344         return self._fetch_objects(["file", "directory", "playlist"])
345
346     def _fetch_outputs(self):
347         return self._fetch_objects(["outputid"])
348
349     def _fetch_plugins(self):
350         return self._fetch_objects(["plugin"])
351
352     def _fetch_command_list(self):
353         return self._wrap_iterator(self._read_command_list())
354
355     def _hello(self):
356         line = self._rfile.readline()
357         if not line.endswith("\n"):
358             raise ConnectionError("Connection lost while reading MPD hello")
359         line = line.rstrip("\n")
360         if not line.startswith(HELLO_PREFIX):
361             raise ProtocolError("Got invalid MPD hello: '%s'" % line)
362         self.mpd_version = line[len(HELLO_PREFIX):].strip()
363
364     def _reset(self):
365         self.mpd_version = None
366         self._iterating = False
367         self._pending = []
368         self._command_list = None
369         self._sock = None
370         self._rfile = _NotConnected()
371         self._wfile = _NotConnected()
372
373     def _connect_unix(self, path):
374         if not hasattr(socket, "AF_UNIX"):
375             raise ConnectionError("Unix domain sockets not supported "
376                                   "on this platform")
377         sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
378         sock.connect(path)
379         return sock
380
381     def _connect_tcp(self, host, port):
382         try:
383             flags = socket.AI_ADDRCONFIG
384         except AttributeError:
385             flags = 0
386         err = None
387         for res in socket.getaddrinfo(host, port, socket.AF_UNSPEC,
388                                       socket.SOCK_STREAM, socket.IPPROTO_TCP,
389                                       flags):
390             af, socktype, proto, canonname, sa = res
391             sock = None
392             try:
393                 sock = socket.socket(af, socktype, proto)
394                 sock.connect(sa)
395                 return sock
396             except socket.error, err:
397                 if sock is not None:
398                     sock.close()
399         if err is not None:
400             raise err
401         else:
402             raise ConnectionError("getaddrinfo returns an empty list")
403
404     def connect(self, host, port):
405         if self._sock is not None:
406             raise ConnectionError("Already connected")
407         if host.startswith("/"):
408             self._sock = self._connect_unix(host)
409         else:
410             self._sock = self._connect_tcp(host, port)
411         self._rfile = self._sock.makefile("rb")
412         self._wfile = self._sock.makefile("wb")
413         try:
414             self._hello()
415         except:
416             self.disconnect()
417             raise
418
419     def disconnect(self):
420         self._rfile.close()
421         self._wfile.close()
422         self._sock.close()
423         self._reset()
424
425     def fileno(self):
426         if self._sock is None:
427             raise ConnectionError("Not connected")
428         return self._sock.fileno()
429
430     def command_list_ok_begin(self):
431         if self._command_list is not None:
432             raise CommandListError("Already in command list")
433         if self._iterating:
434             raise IteratingError("Cannot begin command list while iterating")
435         if self._pending:
436             raise PendingCommandError("Cannot begin command list "
437                                       "with pending commands")
438         self._write_command("command_list_ok_begin")
439         self._command_list = []
440
441     def command_list_end(self):
442         if self._command_list is None:
443             raise CommandListError("Not in command list")
444         if self._iterating:
445             raise IteratingError("Already iterating over a command list")
446         self._write_command("command_list_end")
447         return self._fetch_command_list()
448
449
450 def escape(text):
451     return text.replace("\\", "\\\\").replace('"', '\\"')
452
453
454 # vim: set expandtab shiftwidth=4 softtabstop=4 textwidth=79: