2 # Copyright (C) 2004, 2005 Richard Kettlewell
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 2 of the License, or
7 # (at your option) any later version.
9 # This program is distributed in the hope that it will be useful, but
10 # WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
12 # General Public License for more details.
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307
20 """Python support for DisOrder
22 Provides disorder.client, a class for accessing a DisOrder server.
26 #! /usr/bin/env python
35 #! /usr/bin/env python
39 for path in sys.argv[1:]:
54 _configfile = "pkgconfdir/config"
55 _dbhome = "pkgstatedir"
58 # various regexps we'll use
59 _ws = re.compile(r"^[ \t\n\r]+")
60 _squote = re.compile("'(([^\\\\']|\\\\[\\\\\"'n])+)'")
61 _dquote = re.compile("\"(([^\\\\\"]|\\\\[\\\\\"'n])+)\"")
62 _unquoted = re.compile("[^\"' \\t\\n\\r][^ \t\n\r]*")
64 _response = re.compile("([0-9]{3}) ?(.*)")
68 ########################################################################
71 class Error(Exception):
72 """Base class for DisOrder exceptions."""
74 class _splitError(Error):
76 def __init__(self, value):
79 return str(self.value)
81 class parseError(Error):
82 """Error parsing the configuration file."""
83 def __init__(self, path, line, details):
86 self.details = details
88 return "%s:%d: %s" % (self.path, self.line, self.details)
90 class protocolError(Error):
91 """DisOrder control protocol error.
93 Indicates a mismatch between the client and server's understanding of
96 def __init__(self, who, error):
100 return "%s: %s" % (self.who, str(self.error))
102 class operationError(Error):
103 """DisOrder control protocol error response.
105 Indicates that an operation failed (e.g. an attempt to play a
106 nonexistent track). The connection should still be usable.
108 def __init__(self, res, details, cmd=None):
111 self.details_ = details
113 """Return the complete response string from the server, with the command
116 Excludes the final newline.
118 if self.cmd_ is None:
119 return "%d %s" % (self.res_, self.details_)
121 return "%d %s [%s]" % (self.res_, self.details_, self.cmd_)
123 """Return the response code from the server."""
126 """Returns the detail string from the server."""
129 class communicationError(Error):
130 """DisOrder control protocol communication error.
132 Indicates that communication with the server went wrong, perhaps
133 because the server was restarted. The caller could report an error to
134 the user and wait for further user instructions, or even automatically
137 def __init__(self, who, error):
141 return "%s: %s" % (self.who, str(self.error))
143 ########################################################################
144 # DisOrder-specific text processing
147 # Unescape the contents of a string
151 # s -- string to unescape
153 s = re.sub("\\\\n", "\n", s)
154 s = re.sub("\\\\(.)", "\\1", s)
157 def _split(s, *comments):
158 # Split a string into fields according to the usual Disorder string splitting
163 # s -- string to parse
164 # comments -- if present, parse comments
168 # On success, a list of fields is returned.
170 # On error, disorder.parseError is thrown.
175 if comments and s[0] == '#':
182 # pick of quoted fields of both kinds
187 fields.append(_unescape(m.group(1)))
190 # and unquoted fields
191 m = _unquoted.match(s)
193 fields.append(m.group(0))
196 # anything left must be in error
197 if s[0] == '"' or s[0] == '\'':
198 raise _splitError("invalid quoted string")
200 raise _splitError("syntax error")
204 # Escape the contents of a string
208 # s -- string to escape
210 if re.search("[\\\\\"'\n \t\r]", s) or s == '':
211 s = re.sub(r'[\\"]', r'\\\g<0>', s)
212 s = re.sub("\n", r"\\n", s)
218 # Quote a list of values
219 return ' '.join(map(_escape, list))
222 # Return the value of s in a form suitable for writing to stderr
223 return s.encode(locale.nl_langinfo(locale.CODESET), 'replace')
226 # Convert a list of the form [k1, v1, k2, v2, ..., kN, vN]
227 # to a dictionary {k1:v1, k2:v2, ..., kN:vN}
235 except StopIteration:
240 # parse a queue entry
241 return _list2dict(_split(s))
243 ########################################################################
247 """DisOrder client class.
249 This class provides access to the DisOrder server either on this
250 machine or across the internet.
252 The server to connect to, and the username and password to use, are
253 determined from the configuration files as described in 'man
256 All methods will connect if necessary, as soon as you have a
257 disorder.client object you can start calling operational methods on
260 However if the server is restarted then the next method called on a
261 connection will throw an exception. This may be considered a bug.
263 All methods block until they complete.
265 Operation methods raise communicationError if the connection breaks,
266 protocolError if the response from the server is malformed, or
267 operationError if the response is valid but indicates that the
275 """Constructor for DisOrder client class.
277 The constructor reads the configuration file, but does not connect
280 If the environment variable DISORDER_PYTHON_DEBUG is set then the
281 debug flags are initialised to that value. This can be overridden
282 with the debug() method below.
284 The constructor Raises parseError() if the configuration file is not
287 pw = pwd.getpwuid(os.getuid())
288 self.debugging = int(os.getenv("DISORDER_PYTHON_DEBUG", 0))
289 self.config = { 'collections': [],
290 'username': pw.pw_name,
292 home = os.getenv("HOME")
295 privconf = _configfile + "." + pw.pw_name
296 passfile = home + os.sep + ".disorder" + os.sep + "passwd"
297 self._readfile(_configfile)
298 if os.path.exists(privconf):
299 self._readfile(privconf)
300 if os.path.exists(passfile) and _userconf:
301 self._readfile(passfile)
302 self.state = 'disconnected'
304 def debug(self, bits):
305 """Enable or disable protocol debugging. Debug messages are written
309 bits -- bitmap of operations that should generate debug information
312 debug_proto -- dump control protocol messages (excluding bodies)
313 debug_body -- dump control protocol message bodies
315 self.debugging = bits
317 def _debug(self, bit, s):
319 if self.debugging & bit:
320 sys.stderr.write(_sanitize(s))
321 sys.stderr.write("\n")
325 """Connect to the DisOrder server and authenticate.
327 Raises communicationError if connection fails and operationError if
328 authentication fails (in which case disconnection is automatic).
330 May be called more than once to retry connections (e.g. when the
331 server is down). If we are already connected and authenticated,
334 Other operations automatically connect if we're not already
335 connected, so it is not strictly necessary to call this method.
337 if self.state == 'disconnected':
339 self.state = 'connecting'
340 if 'connect' in self.config and len(self.config['connect']) > 0:
341 c = self.config['connect']
342 self.who = repr(c) # temporarily
344 a = socket.getaddrinfo(None, c[0],
350 a = socket.getaddrinfo(c[0], c[1],
356 s = socket.socket(a[0], a[1], a[2]);
358 self.who = "%s" % a[3]
360 s = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM);
361 self.who = self.config['home'] + os.sep + "socket"
363 self.w = s.makefile("wb")
364 self.r = s.makefile("rb")
365 (res, challenge) = self._simple()
367 h.update(self.config['password'])
368 h.update(binascii.unhexlify(challenge))
369 self._simple("user", self.config['username'], h.hexdigest())
370 self.state = 'connected'
371 except socket.error, e:
373 raise communicationError(self.who, e)
378 def _disconnect(self):
379 # disconnect from the server, whatever state we are in
385 self.state = 'disconnected'
387 ########################################################################
390 def become(self, who):
391 """Become another user.
394 who -- the user to become.
396 Only trusted users can perform this operation.
398 self._simple("become", who)
400 def play(self, track):
404 track -- the path of the track to play.
406 self._simple("play", track)
408 def remove(self, track):
409 """Remove a track from the queue.
412 track -- the path or ID of the track to remove.
414 self._simple("remove", track)
417 """Enable playing."""
418 self._simple("enable")
420 def disable(self, *now):
424 now -- if present (with any value), the current track is stopped
428 self._simple("disable", "now")
430 self._simple("disable")
432 def scratch(self, *id):
433 """Scratch the currently playing track.
436 id -- if present, the ID of the track to scratch.
439 self._simple("scratch", id[0])
441 self._simple("scratch")
444 """Shut down the server.
446 Only trusted users can perform this operation.
448 self._simple("shutdown")
450 def reconfigure(self):
451 """Make the server reload its configuration.
453 Only trusted users can perform this operation.
455 self._simple("reconfigure")
457 def rescan(self, pattern):
458 """Rescan one or more collections.
461 pattern -- glob pattern matching collections to rescan.
463 Only trusted users can perform this operation.
465 self._simple("rescan", pattern)
468 """Return the server's version number."""
469 return self._simple("version")[1]
472 """Return the currently playing track.
474 If a track is playing then it is returned as a dictionary.
475 If no track is playing then None is returned."""
476 res, details = self._simple("playing")
479 return _queueEntry(details)
480 except _splitError, s:
481 raise protocolError(self.who, s.str())
485 def _somequeue(self, command):
486 self._simple(command)
488 return map(lambda s: _queueEntry(s), self._body())
489 except _splitError, s:
490 raise protocolError(self.who, s.str())
493 """Return a list of recently played tracks.
495 The return value is a list of dictionaries corresponding to
496 recently played tracks. The oldest track comes first."""
497 return self._somequeue("recent")
500 """Return the current queue.
502 The return value is a list of dictionaries corresponding to
503 recently played tracks. The next track to be played comes first."""
504 return self._somequeue("queue")
506 def _somedir(self, command, dir, re):
508 self._simple(command, dir, re[0])
510 self._simple(command, dir)
513 def directories(self, dir, *re):
514 """List subdirectories of a directory.
517 dir -- directory to list, or '' for the whole root.
518 re -- regexp that results must match. Optional.
520 The return value is a list of the (nonempty) subdirectories of dir.
521 If dir is '' then a list of top-level directories is returned.
523 If a regexp is specified then the basename of each result must
524 match. Matching is case-independent. See pcrepattern(3).
526 return self._somedir("dirs", dir, re)
528 def files(self, dir, *re):
529 """List files within a directory.
532 dir -- directory to list, or '' for the whole root.
533 re -- regexp that results must match. Optional.
535 The return value is a list of playable files in dir. If dir is ''
536 then a list of top-level files is returned.
538 If a regexp is specified then the basename of each result must
539 match. Matching is case-independent. See pcrepattern(3).
541 return self._somedir("files", dir, re)
543 def allfiles(self, dir, *re):
544 """List subdirectories and files within a directory.
547 dir -- directory to list, or '' for the whole root.
548 re -- regexp that results must match. Optional.
550 The return value is a list of all (nonempty) subdirectories and
551 files within dir. If dir is '' then a list of top-level files and
552 directories is returned.
554 If a regexp is specified then the basename of each result must
555 match. Matching is case-independent. See pcrepattern(3).
557 return self._somedir("allfiles", dir, re)
559 def set(self, track, key, value):
560 """Set a preference value.
563 track -- the track to modify
564 key -- the preference name
565 value -- the new preference value
567 self._simple("set", track, key, value)
569 def unset(self, track, key):
570 """Unset a preference value.
573 track -- the track to modify
574 key -- the preference to remove
576 self._simple("set", track, key, value)
578 def get(self, track, key):
579 """Get a preference value.
582 track -- the track to query
583 key -- the preference to remove
585 The return value is the preference
587 ret, details = self._simple("get", track, key)
590 def prefs(self, track):
591 """Get all the preferences for a track.
594 track -- the track to query
596 The return value is a dictionary of all the track's preferences.
597 Note that even nominally numeric values remain encoded as strings.
599 self._simple("prefs", track)
601 for line in self._body():
604 except _splitError, s:
605 raise protocolError(self.who, s.str())
607 raise protocolError(self.who, "invalid prefs body line")
611 def _boolean(self, s):
614 def exists(self, track):
615 """Return true if a track exists
618 track -- the track to check for"""
619 return self._boolean(self._simple("exists", track))
622 """Return true if playing is enabled"""
623 return self._boolean(self._simple("enabled"))
625 def random_enabled(self):
626 """Return true if random play is enabled"""
627 return self._boolean(self._simple("random-enabled"))
629 def random_enable(self):
630 """Enable random play."""
631 self._simple("random-enable")
633 def random_disable(self):
634 """Disable random play."""
635 self._simple("random-disable")
637 def length(self, track):
638 """Return the length of a track in seconds.
641 track -- the track to query.
643 ret, details = self._simple("length", track)
646 def search(self, words):
647 """Search for tracks.
650 words -- the set of words to search for.
652 The return value is a list of track path names, all of which contain
653 all of the required words (in their path name, trackname
656 self._simple("search", _quote(words))
660 """Get server statistics.
662 The return value is list of statistics.
664 self._simple("stats")
668 """Get all preferences.
670 The return value is an encoded dump of the preferences database.
675 def set_volume(self, left, right):
679 left -- volume for the left speaker.
680 right -- volume for the right speaker.
682 self._simple("volume", left, right)
684 def get_volume(self):
687 The return value a tuple consisting of the left and right volumes.
689 ret, details = self._simple("volume")
690 return map(int,string.split(details))
692 def move(self, track, delta):
693 """Move a track in the queue.
696 track -- the name or ID of the track to move
697 delta -- the number of steps towards the head of the queue to move
699 ret, details = self._simple("move", track, str(delta))
702 def log(self, callback):
703 """Read event log entries as they happen.
705 Each event log entry is handled by passing it to callback.
707 The callback takes two arguments, the first is the client and the
708 second the line from the event log.
710 The callback should return True to continue or False to stop (don't
711 forget this, or your program will mysteriously misbehave).
713 It is suggested that you use the disorder.monitor class instead of
714 calling this method directly, but this is not mandatory.
716 See disorder_protocol(5) for the event log syntax.
719 callback -- function to call with log entry
721 ret, details = self._simple("log")
724 self._debug(client.debug_body, "<<< %s" % l)
725 if l != '' and l[0] == '.':
729 if not callback(self, l):
731 # tell the server to stop sending, eat the remains of the body,
733 self._send("version")
738 """Pause the current track."""
739 self._simple("pause")
742 """Resume after a pause."""
743 self._simple("resume")
745 def part(self, track, context, part):
746 """Get a track name part
749 track -- the track to query
750 context -- the context ('sort' or 'display')
751 part -- the desired part (usually 'artist', 'album' or 'title')
753 The return value is the preference
755 ret, details = self._simple("part", track, context, part)
758 def setglobal(self, key, value):
759 """Set a global preference value.
762 key -- the preference name
763 value -- the new preference value
765 self._simple("set-global", key, value)
767 def unsetglobal(self, key):
768 """Unset a global preference value.
771 key -- the preference to remove
773 self._simple("set-global", key, value)
775 def getglobal(self, key):
776 """Get a global preference value.
779 key -- the preference to look up
781 The return value is the preference
783 ret, details = self._simple("get-global", key)
786 ########################################################################
790 # read one response line and return as some suitable string object
792 # If an I/O error occurs, disconnect from the server.
794 # XXX does readline() DTRT regarding character encodings?
796 l = self.r.readline()
797 if not re.search("\n", l):
798 raise communicationError(self.who, "peer disconnected")
803 return unicode(l, "UTF-8")
806 # read a response as a (code, details) tuple
808 self._debug(client.debug_proto, "<== %s" % l)
809 m = _response.match(l)
811 return int(m.group(1)), m.group(2)
813 raise protocolError(self.who, "invalid response %s")
815 def _send(self, *command):
816 # Quote and send a command
818 # Returns the encoded command.
819 quoted = _quote(command)
820 self._debug(client.debug_proto, "==> %s" % quoted)
821 encoded = quoted.encode("UTF-8")
823 self.w.write(encoded)
830 raise communicationError(self.who, e)
835 def _simple(self, *command):
836 # Issue a simple command, throw an exception on error
838 # If an I/O error occurs, disconnect from the server.
840 # On success returns response as a (code, details) tuple
842 # On error raise operationError
843 if self.state == 'disconnected':
846 cmd = self._send(*command)
849 res, details = self._response()
852 raise operationError(res, details, cmd)
855 # Fetch a dot-stuffed body
859 self._debug(client.debug_body, "<<< %s" % l)
860 if l != '' and l[0] == '.':
866 ########################################################################
867 # Configuration file parsing
869 def _readfile(self, path):
870 # Read a configuration file
874 # path -- path of file to read
876 # handlers for various commands
877 def _collection(self, command, args):
879 return "'%s' takes three args" % command
880 self.config["collections"].append(args)
882 def _unary(self, command, args):
884 return "'%s' takes only one arg" % command
885 self.config[command] = args[0]
887 def _include(self, command, args):
889 return "'%s' takes only one arg" % command
890 self._readfile(args[0])
892 def _any(self, command, args):
893 self.config[command] = args
895 # mapping of options to handlers
896 _options = { "collection": _collection,
901 "include": _include }
904 for lno, line in enumerate(file(path, "r")):
906 fields = _split(line, 'comments')
907 except _splitError, s:
908 raise parseError(path, lno + 1, str(s))
911 # we just ignore options we don't know about, so as to cope gracefully
912 # with version skew (and nothing to do with implementor laziness)
913 if command in _options:
914 e = _options[command](self, command, fields[1:])
916 self._parseError(path, lno + 1, e)
918 def _parseError(self, path, lno, s):
919 raise parseError(path, lno, s)
921 ########################################################################
925 """DisOrder event log monitor class
927 Intended to be subclassed with methods corresponding to event log messages
928 the implementor cares about over-ridden."""
930 def __init__(self, c=None):
931 """Constructor for the monitor class
933 Can be passed a client to use. If none is specified then one
934 will be created specially for the purpose.
943 """Start monitoring logs. Continues monitoring until one of the
944 message-specific methods returns False. Can be called more than once
945 (but not recursively!)"""
946 self.c.log(self._callback)
949 """Return the timestamp of the current (or most recent) event log entry"""
950 return self.timestamp
952 def _callback(self, c, line):
956 return self.invalid(line)
958 return self.invalid(line)
959 self.timestamp = int(bits[0], 16)
962 if keyword == 'completed':
964 return self.completed(bits[0])
965 elif keyword == 'failed':
967 return self.failed(bits[0], bits[1])
968 elif keyword == 'moved':
973 return self.invalid(line)
974 return self.moved(bits[0], n, bits[2])
975 elif keyword == 'playing':
977 return self.playing(bits[0], None)
979 return self.playing(bits[0], bits[1])
980 elif keyword == 'queue' or keyword == 'recent-added':
984 return self.invalid(line)
985 if keyword == 'queue':
987 if keyword == 'recent-added':
988 return self.recent_added(q)
989 elif keyword == 'recent-removed':
991 return self.recent_removed(bits[0])
992 elif keyword == 'removed':
994 return self.removed(bits[0], None)
996 return self.removed(bits[0], bits[1])
997 elif keyword == 'scratched':
999 return self.scratched(bits[0], bits[1])
1000 return self.invalid(line)
1002 def completed(self, track):
1003 """Called when a track completes.
1006 track -- track that completed"""
1009 def failed(self, track, error):
1010 """Called when a player suffers an error.
1013 track -- track that failed
1014 error -- error indicator"""
1017 def moved(self, id, offset, user):
1018 """Called when a track is moved in the queue.
1021 id -- queue entry ID
1022 offset -- distance moved
1023 user -- user responsible"""
1026 def playing(self, track, user):
1027 """Called when a track starts playing.
1030 track -- track that has started
1031 user -- user that submitted track, or None"""
1035 """Called when a track is added to the queue.
1038 q -- dictionary of new queue entry"""
1041 def recent_added(self, q):
1042 """Called when a track is added to the recently played list
1045 q -- dictionary of new queue entry"""
1048 def recent_removed(self, id):
1049 """Called when a track is removed from the recently played list
1052 id -- ID of removed entry (always the oldest)"""
1055 def removed(self, id, user):
1056 """Called when a track is removed from the queue, either manually
1057 or in order to play it.
1060 id -- ID of removed entry
1061 user -- user responsible (or None if we're playing this track)"""
1064 def scratched(self, track, user):
1065 """Called when a track is scratched
1068 track -- track that was scratched
1069 user -- user responsible"""
1072 def invalid(self, line):
1073 """Called when an event log line cannot be interpreted
1076 line -- line that could not be understood"""
1081 # py-indent-offset:2