2 # -*- coding: utf-8 -*-
4 # proxy.py — helper for Python-based external (xml-rpc) ikiwiki plugins
6 # Copyright © 2008 martin f. krafft <madduck@madduck.net>
7 # 2008-2011 Joey Hess <joey@kitenet.net>
8 # 2012 W. Trevor King <wking@tremily.us>
10 # Redistribution and use in source and binary forms, with or without
11 # modification, are permitted provided that the following conditions
13 # 1. Redistributions of source code must retain the above copyright
14 # notice, this list of conditions and the following disclaimer.
15 # 2. Redistributions in binary form must reproduce the above copyright
16 # notice, this list of conditions and the following disclaimer in the
17 # documentation and/or other materials provided with the distribution.
19 # THIS SOFTWARE IS PROVIDED BY IKIWIKI AND CONTRIBUTORS ``AS IS''
20 # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
21 # TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
22 # PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE FOUNDATION
23 # OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
24 # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
25 # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
26 # USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
27 # ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
28 # OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT
29 # OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
33 __description__ = 'helper for Python-based external (xml-rpc) ikiwiki plugins'
35 __author__ = 'martin f. krafft <madduck@madduck.net>'
36 __copyright__ = 'Copyright © ' + __author__
37 __licence__ = 'BSD-2-clause'
41 import xml.parsers.expat
43 import xmlrpc.client as _xmlrpc_client
44 except ImportError: # Python 2
45 import xmlrpclib as _xmlrpc_client
47 import xmlrpc.server as _xmlrpc_server
48 except ImportError: # Python 2
49 import SimpleXMLRPCServer as _xmlrpc_server
52 class ParseError (Exception):
56 class PipeliningDetected (Exception):
60 class GoingDown (Exception):
64 class InvalidReturnValue (Exception):
68 class AlreadyImported (Exception):
72 class _IkiWikiExtPluginXMLRPCDispatcher(_xmlrpc_server.SimpleXMLRPCDispatcher):
74 def __init__(self, allow_none=False, encoding=None):
76 _xmlrpc_server.SimpleXMLRPCDispatcher.__init__(
77 self, allow_none, encoding)
79 # see http://bugs.debian.org/470645
80 # python2.4 and before only took one argument
81 _xmlrpc_server.SimpleXMLRPCDispatcher.__init__(self)
83 def dispatch(self, method, params):
84 return self._dispatch(method, params)
87 class XMLStreamParser(object):
90 self._parser = xml.parsers.expat.ParserCreate()
91 self._parser.StartElementHandler = self._push_tag
92 self._parser.EndElementHandler = self._pop_tag
93 self._parser.XmlDeclHandler = self._check_pipelining
99 self._first_tag_received = False
101 def _push_tag(self, tag, attrs):
102 self._stack.append(tag)
103 self._first_tag_received = True
105 def _pop_tag(self, tag):
106 top = self._stack.pop()
109 'expected {0} closing tag, got {1}'.format(top, tag))
111 def _request_complete(self):
112 return self._first_tag_received and len(self._stack) == 0
114 def _check_pipelining(self, *args):
115 if self._first_tag_received:
116 raise PipeliningDetected('need a new line between XML documents')
118 def parse(self, data):
119 self._parser.Parse(data, False)
121 if self._request_complete():
127 class _IkiWikiExtPluginXMLRPCHandler(object):
129 def __init__(self, debug_fn):
130 self._dispatcher = _IkiWikiExtPluginXMLRPCDispatcher()
131 self.register_function = self._dispatcher.register_function
132 self._debug_fn = debug_fn
134 def register_function(self, function, name=None):
135 # will be overwritten by __init__
139 def _write(out_fd, data):
140 out_fd.write(str(data))
146 parser = XMLStreamParser()
148 line = in_fd.readline()
150 # ikiwiki exited, EOF received
153 ret = parser.parse(line)
154 # unless this returns non-None, we need to loop again
158 def send_rpc(self, cmd, in_fd, out_fd, *args, **kwargs):
159 xml = _xmlrpc_client.dumps(sum(kwargs.items(), args), cmd)
161 "calling ikiwiki procedure `{0}': [{1}]".format(cmd, repr(xml)))
162 # ensure that encoded is a str (bytestring in Python 2, Unicode in 3)
163 if str is bytes and not isinstance(xml, str):
164 encoded = xml.encode('utf8')
167 _IkiWikiExtPluginXMLRPCHandler._write(out_fd, encoded)
169 self._debug_fn('reading response from ikiwiki...')
171 response = _IkiWikiExtPluginXMLRPCHandler._read(in_fd)
172 if str is bytes and not isinstance(response, str):
173 xml = response.encode('utf8')
177 'read response to procedure {0} from ikiwiki: [{1}]'.format(
180 # ikiwiki is going down
181 self._debug_fn('ikiwiki is going down, and so are we...')
184 data = _xmlrpc_client.loads(xml)[0][0]
186 'parsed data from response to procedure {0}: [{1}]'.format(
190 def handle_rpc(self, in_fd, out_fd):
191 self._debug_fn('waiting for procedure calls from ikiwiki...')
192 xml = _IkiWikiExtPluginXMLRPCHandler._read(in_fd)
194 # ikiwiki is going down
195 self._debug_fn('ikiwiki is going down, and so are we...')
199 'received procedure call from ikiwiki: [{0}]'.format(xml))
200 params, method = _xmlrpc_client.loads(xml)
201 ret = self._dispatcher.dispatch(method, params)
202 xml = _xmlrpc_client.dumps((ret,), methodresponse=True)
204 'sending procedure response to ikiwiki: [{0}]'.format(xml))
205 _IkiWikiExtPluginXMLRPCHandler._write(out_fd, xml)
209 class IkiWikiProcedureProxy(object):
211 # how to communicate None to ikiwiki
212 _IKIWIKI_NIL_SENTINEL = {'null':''}
214 # sleep during each iteration
217 def __init__(self, id, in_fd=sys.stdin, out_fd=sys.stdout, debug_fn=None):
220 self._out_fd = out_fd
222 self._functions = list()
223 self._imported = False
224 if debug_fn is not None:
225 self._debug_fn = debug_fn
227 self._debug_fn = lambda s: None
228 self._xmlrpc_handler = _IkiWikiExtPluginXMLRPCHandler(self._debug_fn)
229 self._xmlrpc_handler.register_function(self._importme, name='import')
231 def rpc(self, cmd, *args, **kwargs):
235 yield IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL
239 args = list(subst_none(args))
240 kwargs = dict(zip(kwargs.keys(), list(subst_none(kwargs.values()))))
241 ret = self._xmlrpc_handler.send_rpc(cmd, self._in_fd, self._out_fd,
243 if ret == IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL:
247 def hook(self, type, function, name=None, id=None, last=False):
249 raise AlreadyImported()
252 name = function.__name__
257 def hook_proxy(*args):
259 # kwargs = dict([args[i:i+2] for i in xrange(1, len(args), 2)])
260 ret = function(self, *args)
262 "{0} hook `{1}' returned: [{2}]".format(type, name, repr(ret)))
263 if ret == IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL:
264 raise InvalidReturnValue(
265 'hook functions are not allowed to return {0}'.format(
266 IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL))
268 ret = IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL
271 self._hooks.append((id, type, name, last))
272 self._xmlrpc_handler.register_function(hook_proxy, name=name)
274 def inject(self, rname, function, name=None, memoize=True):
276 raise AlreadyImported()
279 name = function.__name__
281 self._functions.append((rname, name, memoize))
282 self._xmlrpc_handler.register_function(function, name=name)
285 return self.rpc('getargv')
287 def setargv(self, argv):
288 return self.rpc('setargv', argv)
290 def getvar(self, hash, key):
291 return self.rpc('getvar', hash, key)
293 def setvar(self, hash, key, value):
294 return self.rpc('setvar', hash, key, value)
296 def getstate(self, page, id, key):
297 return self.rpc('getstate', page, id, key)
299 def setstate(self, page, id, key, value):
300 return self.rpc('setstate', page, id, key, value)
302 def pagespec_match(self, spec):
303 return self.rpc('pagespec_match', spec)
305 def error(self, msg):
307 self.rpc('error', msg)
312 sys.exit(posix.EX_SOFTWARE)
317 ret = self._xmlrpc_handler.handle_rpc(
318 self._in_fd, self._out_fd)
319 time.sleep(IkiWikiProcedureProxy._LOOP_DELAY)
323 except Exception as e:
325 tb = traceback.format_exc()
326 self.error('uncaught exception: {0}\n{1}'.format(e, tb))
330 self._debug_fn('importing...')
331 for id, type, function, last in self._hooks:
332 self._debug_fn('hooking {0}/{1} into {2} chain...'.format(
334 self.rpc('hook', id=id, type=type, call=function, last=last)
335 for rname, function, memoize in self._functions:
336 self._debug_fn('injecting {0} as {1}...'.format(function, rname))
337 self.rpc('inject', name=rname, call=function, memoize=memoize)
338 self._imported = True
339 return IkiWikiProcedureProxy._IKIWIKI_NIL_SENTINEL