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