blob: 4aadffa9fa72b54a5efa1b6fdf59d91da4bcbe7c [file] [log] [blame]
Fredrik Lundhb329b712001-09-17 17:35:21 +00001"""Simple XML-RPC Server.
2
3This module can be used to create simple XML-RPC servers
4by creating a server and either installing functions, a
Martin v. Löwisd69663d2003-01-15 11:37:23 +00005class instance, or by extending the SimpleXMLRPCServer
Fredrik Lundhb329b712001-09-17 17:35:21 +00006class.
7
Martin v. Löwisd69663d2003-01-15 11:37:23 +00008It can also be used to handle XML-RPC requests in a CGI
9environment using CGIXMLRPCRequestHandler.
10
Fredrik Lundhb329b712001-09-17 17:35:21 +000011A list of possible usage patterns follows:
12
131. Install functions:
14
15server = SimpleXMLRPCServer(("localhost", 8000))
16server.register_function(pow)
17server.register_function(lambda x,y: x+y, 'add')
18server.serve_forever()
19
202. Install an instance:
21
22class MyFuncs:
23 def __init__(self):
Neal Norwitz9d72bb42007-04-17 08:48:32 +000024 # make all of the sys functions available through sys.func_name
25 import sys
26 self.sys = sys
Martin v. Löwisd69663d2003-01-15 11:37:23 +000027 def _listMethods(self):
28 # implement this method so that system.listMethods
Neal Norwitz9d72bb42007-04-17 08:48:32 +000029 # knows to advertise the sys methods
Martin v. Löwisd69663d2003-01-15 11:37:23 +000030 return list_public_methods(self) + \
Neal Norwitz9d72bb42007-04-17 08:48:32 +000031 ['sys.' + method for method in list_public_methods(self.sys)]
Fredrik Lundhb329b712001-09-17 17:35:21 +000032 def pow(self, x, y): return pow(x, y)
33 def add(self, x, y) : return x + y
Tim Peters2c60f7a2003-01-29 03:49:43 +000034
Fredrik Lundhb329b712001-09-17 17:35:21 +000035server = SimpleXMLRPCServer(("localhost", 8000))
Martin v. Löwisd69663d2003-01-15 11:37:23 +000036server.register_introspection_functions()
Fredrik Lundhb329b712001-09-17 17:35:21 +000037server.register_instance(MyFuncs())
38server.serve_forever()
39
403. Install an instance with custom dispatch method:
41
42class Math:
Martin v. Löwisd69663d2003-01-15 11:37:23 +000043 def _listMethods(self):
44 # this method must be present for system.listMethods
45 # to work
46 return ['add', 'pow']
47 def _methodHelp(self, method):
48 # this method must be present for system.methodHelp
49 # to work
50 if method == 'add':
51 return "add(2,3) => 5"
52 elif method == 'pow':
53 return "pow(x, y[, z]) => number"
54 else:
55 # By convention, return empty
56 # string if no help is available
57 return ""
Fredrik Lundhb329b712001-09-17 17:35:21 +000058 def _dispatch(self, method, params):
59 if method == 'pow':
Martin v. Löwisd69663d2003-01-15 11:37:23 +000060 return pow(*params)
Fredrik Lundhb329b712001-09-17 17:35:21 +000061 elif method == 'add':
62 return params[0] + params[1]
63 else:
64 raise 'bad method'
Martin v. Löwisd69663d2003-01-15 11:37:23 +000065
Fredrik Lundhb329b712001-09-17 17:35:21 +000066server = SimpleXMLRPCServer(("localhost", 8000))
Martin v. Löwisd69663d2003-01-15 11:37:23 +000067server.register_introspection_functions()
Fredrik Lundhb329b712001-09-17 17:35:21 +000068server.register_instance(Math())
69server.serve_forever()
70
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000714. Subclass SimpleXMLRPCServer:
Fredrik Lundhb329b712001-09-17 17:35:21 +000072
Martin v. Löwisd69663d2003-01-15 11:37:23 +000073class MathServer(SimpleXMLRPCServer):
Fredrik Lundhb329b712001-09-17 17:35:21 +000074 def _dispatch(self, method, params):
75 try:
76 # We are forcing the 'export_' prefix on methods that are
77 # callable through XML-RPC to prevent potential security
78 # problems
79 func = getattr(self, 'export_' + method)
80 except AttributeError:
81 raise Exception('method "%s" is not supported' % method)
82 else:
Martin v. Löwisd69663d2003-01-15 11:37:23 +000083 return func(*params)
Fredrik Lundhb329b712001-09-17 17:35:21 +000084
85 def export_add(self, x, y):
86 return x + y
87
Martin v. Löwisd69663d2003-01-15 11:37:23 +000088server = MathServer(("localhost", 8000))
Fredrik Lundhb329b712001-09-17 17:35:21 +000089server.serve_forever()
Martin v. Löwisd69663d2003-01-15 11:37:23 +000090
915. CGI script:
92
93server = CGIXMLRPCRequestHandler()
94server.register_function(pow)
95server.handle_request()
Fredrik Lundhb329b712001-09-17 17:35:21 +000096"""
97
98# Written by Brian Quinlan (brian@sweetapp.com).
99# Based on code written by Fredrik Lundh.
100
101import xmlrpclib
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000102from xmlrpclib import Fault
Fredrik Lundhb329b712001-09-17 17:35:21 +0000103import SocketServer
104import BaseHTTPServer
105import sys
Thomas Wouters49fd7fa2006-04-21 10:40:58 +0000106import os
107try:
108 import fcntl
109except ImportError:
110 fcntl = None
Fredrik Lundhb329b712001-09-17 17:35:21 +0000111
Guido van Rossumd0641422005-02-03 15:01:24 +0000112def resolve_dotted_attribute(obj, attr, allow_dotted_names=True):
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000113 """resolve_dotted_attribute(a, 'b.c.d') => a.b.c.d
Fredrik Lundhb329b712001-09-17 17:35:21 +0000114
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000115 Resolves a dotted attribute name to an object. Raises
116 an AttributeError if any attribute in the chain starts with a '_'.
Guido van Rossumd0641422005-02-03 15:01:24 +0000117
118 If the optional allow_dotted_names argument is false, dots are not
119 supported and this function operates similar to getattr(obj, attr).
Fredrik Lundhb329b712001-09-17 17:35:21 +0000120 """
121
Guido van Rossumd0641422005-02-03 15:01:24 +0000122 if allow_dotted_names:
123 attrs = attr.split('.')
124 else:
125 attrs = [attr]
126
127 for i in attrs:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000128 if i.startswith('_'):
129 raise AttributeError(
130 'attempt to access private attribute "%s"' % i
131 )
132 else:
133 obj = getattr(obj,i)
134 return obj
Fredrik Lundhb329b712001-09-17 17:35:21 +0000135
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000136def list_public_methods(obj):
137 """Returns a list of attribute strings, found in the specified
138 object, which represent callable attributes"""
139
140 return [member for member in dir(obj)
141 if not member.startswith('_') and
142 callable(getattr(obj, member))]
143
144def remove_duplicates(lst):
145 """remove_duplicates([2,2,2,1,3,3]) => [3,1,2]
146
147 Returns a copy of a list without duplicates. Every list
148 item must be hashable and the order of the items in the
149 resulting list is not defined.
Tim Peters2c60f7a2003-01-29 03:49:43 +0000150 """
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000151 u = {}
152 for x in lst:
153 u[x] = 1
154
155 return u.keys()
156
157class SimpleXMLRPCDispatcher:
158 """Mix-in class that dispatches XML-RPC requests.
159
160 This class is used to register XML-RPC method handlers
161 and then to dispatch them. There should never be any
162 reason to instantiate this class directly.
163 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000164
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000165 def __init__(self, allow_none, encoding):
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000166 self.funcs = {}
167 self.instance = None
Andrew M. Kuchling10a16de2005-12-04 16:34:40 +0000168 self.allow_none = allow_none
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000169 self.encoding = encoding
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000170
Guido van Rossumd0641422005-02-03 15:01:24 +0000171 def register_instance(self, instance, allow_dotted_names=False):
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000172 """Registers an instance to respond to XML-RPC requests.
173
174 Only one instance can be installed at a time.
175
176 If the registered instance has a _dispatch method then that
177 method will be called with the name of the XML-RPC method and
Georg Brandl7eb4b7d2005-07-22 21:49:32 +0000178 its parameters as a tuple
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000179 e.g. instance._dispatch('add',(2,3))
180
181 If the registered instance does not have a _dispatch method
182 then the instance will be searched to find a matching method
183 and, if found, will be called. Methods beginning with an '_'
184 are considered private and will not be called by
185 SimpleXMLRPCServer.
186
187 If a registered function matches a XML-RPC request, then it
188 will be called instead of the registered instance.
Guido van Rossumd0641422005-02-03 15:01:24 +0000189
190 If the optional allow_dotted_names argument is true and the
191 instance does not have a _dispatch method, method names
192 containing dots are supported and resolved, as long as none of
193 the name segments start with an '_'.
194
195 *** SECURITY WARNING: ***
196
197 Enabling the allow_dotted_names options allows intruders
198 to access your module's global variables and may allow
199 intruders to execute arbitrary code on your machine. Only
200 use this option on a secure, closed network.
201
Fredrik Lundhb329b712001-09-17 17:35:21 +0000202 """
203
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000204 self.instance = instance
Guido van Rossumd0641422005-02-03 15:01:24 +0000205 self.allow_dotted_names = allow_dotted_names
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000206
207 def register_function(self, function, name = None):
208 """Registers a function to respond to XML-RPC requests.
209
210 The optional name argument can be used to set a Unicode name
211 for the function.
212 """
213
214 if name is None:
215 name = function.__name__
216 self.funcs[name] = function
217
218 def register_introspection_functions(self):
219 """Registers the XML-RPC introspection methods in the system
220 namespace.
221
222 see http://xmlrpc.usefulinc.com/doc/reserved.html
223 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000224
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000225 self.funcs.update({'system.listMethods' : self.system_listMethods,
226 'system.methodSignature' : self.system_methodSignature,
227 'system.methodHelp' : self.system_methodHelp})
228
229 def register_multicall_functions(self):
230 """Registers the XML-RPC multicall method in the system
231 namespace.
232
233 see http://www.xmlrpc.com/discuss/msgReader$1208"""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000234
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000235 self.funcs.update({'system.multicall' : self.system_multicall})
Tim Peters2c60f7a2003-01-29 03:49:43 +0000236
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000237 def _marshaled_dispatch(self, data, dispatch_method = None):
238 """Dispatches an XML-RPC method from marshalled (XML) data.
Tim Peters2c60f7a2003-01-29 03:49:43 +0000239
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000240 XML-RPC methods are dispatched from the marshalled (XML) data
241 using the _dispatch method and the result is returned as
242 marshalled data. For backwards compatibility, a dispatch
Tim Peters2c60f7a2003-01-29 03:49:43 +0000243 function can be provided as an argument (see comment in
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000244 SimpleXMLRPCRequestHandler.do_POST) but overriding the
245 existing method through subclassing is the prefered means
246 of changing method dispatch behavior.
247 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000248
Fredrik Lundhb329b712001-09-17 17:35:21 +0000249 try:
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000250 params, method = xmlrpclib.loads(data)
251
252 # generate response
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000253 if dispatch_method is not None:
254 response = dispatch_method(method, params)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000255 else:
Fredrik Lundhb329b712001-09-17 17:35:21 +0000256 response = self._dispatch(method, params)
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000257 # wrap response in a singleton tuple
258 response = (response,)
Tim Peters536cf992005-12-25 23:18:31 +0000259 response = xmlrpclib.dumps(response, methodresponse=1,
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000260 allow_none=self.allow_none, encoding=self.encoding)
Guido van Rossumb940e112007-01-10 16:19:56 +0000261 except Fault as fault:
Tim Peters536cf992005-12-25 23:18:31 +0000262 response = xmlrpclib.dumps(fault, allow_none=self.allow_none,
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000263 encoding=self.encoding)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000264 except:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000265 # report exception back to server
Thomas Wouters89f507f2006-12-13 04:49:30 +0000266 exc_type, exc_value, exc_tb = sys.exc_info()
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000267 response = xmlrpclib.dumps(
Thomas Wouters89f507f2006-12-13 04:49:30 +0000268 xmlrpclib.Fault(1, "%s:%s" % (exc_type, exc_value)),
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000269 encoding=self.encoding, allow_none=self.allow_none,
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000270 )
271
272 return response
273
274 def system_listMethods(self):
275 """system.listMethods() => ['add', 'subtract', 'multiple']
276
277 Returns a list of the methods supported by the server."""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000278
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000279 methods = self.funcs.keys()
280 if self.instance is not None:
281 # Instance can implement _listMethod to return a list of
282 # methods
283 if hasattr(self.instance, '_listMethods'):
284 methods = remove_duplicates(
285 methods + self.instance._listMethods()
286 )
287 # if the instance has a _dispatch method then we
288 # don't have enough information to provide a list
289 # of methods
290 elif not hasattr(self.instance, '_dispatch'):
291 methods = remove_duplicates(
292 methods + list_public_methods(self.instance)
293 )
294 methods.sort()
295 return methods
Tim Peters2c60f7a2003-01-29 03:49:43 +0000296
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000297 def system_methodSignature(self, method_name):
298 """system.methodSignature('add') => [double, int, int]
299
Brett Cannonb9b5f162004-10-03 23:21:44 +0000300 Returns a list describing the signature of the method. In the
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000301 above example, the add method takes two integers as arguments
302 and returns a double result.
303
304 This server does NOT support system.methodSignature."""
305
306 # See http://xmlrpc.usefulinc.com/doc/sysmethodsig.html
Tim Peters2c60f7a2003-01-29 03:49:43 +0000307
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000308 return 'signatures not supported'
309
310 def system_methodHelp(self, method_name):
311 """system.methodHelp('add') => "Adds two integers together"
312
313 Returns a string containing documentation for the specified method."""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000314
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000315 method = None
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000316 if method_name in self.funcs:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000317 method = self.funcs[method_name]
318 elif self.instance is not None:
319 # Instance can implement _methodHelp to return help for a method
320 if hasattr(self.instance, '_methodHelp'):
321 return self.instance._methodHelp(method_name)
322 # if the instance has a _dispatch method then we
323 # don't have enough information to provide help
324 elif not hasattr(self.instance, '_dispatch'):
325 try:
326 method = resolve_dotted_attribute(
327 self.instance,
Guido van Rossumd0641422005-02-03 15:01:24 +0000328 method_name,
329 self.allow_dotted_names
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000330 )
331 except AttributeError:
332 pass
333
334 # Note that we aren't checking that the method actually
335 # be a callable object of some kind
336 if method is None:
337 return ""
Fredrik Lundhb329b712001-09-17 17:35:21 +0000338 else:
Neal Norwitz732911f2003-06-29 04:16:28 +0000339 import pydoc
Neal Norwitz3f401f02003-06-29 04:19:37 +0000340 return pydoc.getdoc(method)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000341
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000342 def system_multicall(self, call_list):
343 """system.multicall([{'methodName': 'add', 'params': [2, 2]}, ...]) => \
344[[4], ...]
Fredrik Lundhb329b712001-09-17 17:35:21 +0000345
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000346 Allows the caller to package multiple XML-RPC calls into a single
347 request.
348
Tim Peters2c60f7a2003-01-29 03:49:43 +0000349 See http://www.xmlrpc.com/discuss/msgReader$1208
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000350 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000351
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000352 results = []
353 for call in call_list:
354 method_name = call['methodName']
355 params = call['params']
356
357 try:
358 # XXX A marshalling error in any response will fail the entire
359 # multicall. If someone cares they should fix this.
360 results.append([self._dispatch(method_name, params)])
Guido van Rossumb940e112007-01-10 16:19:56 +0000361 except Fault as fault:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000362 results.append(
363 {'faultCode' : fault.faultCode,
364 'faultString' : fault.faultString}
365 )
366 except:
Thomas Wouters89f507f2006-12-13 04:49:30 +0000367 exc_type, exc_value, exc_tb = sys.exc_info()
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000368 results.append(
369 {'faultCode' : 1,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000370 'faultString' : "%s:%s" % (exc_type, exc_value)}
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000371 )
372 return results
Tim Peters2c60f7a2003-01-29 03:49:43 +0000373
Fredrik Lundhb329b712001-09-17 17:35:21 +0000374 def _dispatch(self, method, params):
375 """Dispatches the XML-RPC method.
376
377 XML-RPC calls are forwarded to a registered function that
378 matches the called XML-RPC method name. If no such function
379 exists then the call is forwarded to the registered instance,
380 if available.
381
382 If the registered instance has a _dispatch method then that
383 method will be called with the name of the XML-RPC method and
Georg Brandl7eb4b7d2005-07-22 21:49:32 +0000384 its parameters as a tuple
Fredrik Lundhb329b712001-09-17 17:35:21 +0000385 e.g. instance._dispatch('add',(2,3))
386
387 If the registered instance does not have a _dispatch method
388 then the instance will be searched to find a matching method
389 and, if found, will be called.
390
391 Methods beginning with an '_' are considered private and will
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000392 not be called.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000393 """
394
Fredrik Lundhb329b712001-09-17 17:35:21 +0000395 func = None
396 try:
397 # check to see if a matching function has been registered
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000398 func = self.funcs[method]
Fredrik Lundhb329b712001-09-17 17:35:21 +0000399 except KeyError:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000400 if self.instance is not None:
Fredrik Lundhb329b712001-09-17 17:35:21 +0000401 # check for a _dispatch method
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000402 if hasattr(self.instance, '_dispatch'):
403 return self.instance._dispatch(method, params)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000404 else:
405 # call instance method directly
406 try:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000407 func = resolve_dotted_attribute(
408 self.instance,
Guido van Rossumd0641422005-02-03 15:01:24 +0000409 method,
410 self.allow_dotted_names
Fredrik Lundhb329b712001-09-17 17:35:21 +0000411 )
412 except AttributeError:
413 pass
414
415 if func is not None:
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000416 return func(*params)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000417 else:
418 raise Exception('method "%s" is not supported' % method)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000419
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000420class SimpleXMLRPCRequestHandler(BaseHTTPServer.BaseHTTPRequestHandler):
421 """Simple XML-RPC request handler class.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000422
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000423 Handles all HTTP POST requests and attempts to decode them as
424 XML-RPC requests.
425 """
426
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000427 # Class attribute listing the accessible path components;
428 # paths not on this list will result in a 404 error.
429 rpc_paths = ('/', '/RPC2')
430
431 def is_rpc_path_valid(self):
432 if self.rpc_paths:
433 return self.path in self.rpc_paths
434 else:
435 # If .rpc_paths is empty, just assume all paths are legal
436 return True
437
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000438 def do_POST(self):
439 """Handles the HTTP POST request.
440
441 Attempts to interpret all HTTP POST requests as XML-RPC calls,
442 which are forwarded to the server's _dispatch method for handling.
443 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000444
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000445 # Check that the path is legal
446 if not self.is_rpc_path_valid():
447 self.report_404()
448 return
449
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000450 try:
Tim Peters536cf992005-12-25 23:18:31 +0000451 # Get arguments by reading body of request.
452 # We read this in chunks to avoid straining
Andrew M. Kuchlinge63fde72005-12-04 15:36:57 +0000453 # socket.read(); around the 10 or 15Mb mark, some platforms
454 # begin to have problems (bug #792570).
455 max_chunk_size = 10*1024*1024
456 size_remaining = int(self.headers["content-length"])
457 L = []
458 while size_remaining:
459 chunk_size = min(size_remaining, max_chunk_size)
460 L.append(self.rfile.read(chunk_size))
461 size_remaining -= len(L[-1])
462 data = ''.join(L)
463
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000464 # In previous versions of SimpleXMLRPCServer, _dispatch
465 # could be overridden in this class, instead of in
466 # SimpleXMLRPCDispatcher. To maintain backwards compatibility,
467 # check to see if a subclass implements _dispatch and dispatch
468 # using that method if present.
469 response = self.server._marshaled_dispatch(
470 data, getattr(self, '_dispatch', None)
471 )
472 except: # This should only happen if the module is buggy
473 # internal error, report as HTTP server error
474 self.send_response(500)
475 self.end_headers()
476 else:
477 # got a valid XML RPC response
478 self.send_response(200)
479 self.send_header("Content-type", "text/xml")
480 self.send_header("Content-length", str(len(response)))
481 self.end_headers()
482 self.wfile.write(response)
483
484 # shut down the connection
485 self.wfile.flush()
486 self.connection.shutdown(1)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000487
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000488 def report_404 (self):
489 # Report a 404 error
490 self.send_response(404)
491 response = 'No such page'
492 self.send_header("Content-type", "text/plain")
493 self.send_header("Content-length", str(len(response)))
494 self.end_headers()
495 self.wfile.write(response)
496 # shut down the connection
497 self.wfile.flush()
498 self.connection.shutdown(1)
499
Fredrik Lundhb329b712001-09-17 17:35:21 +0000500 def log_request(self, code='-', size='-'):
501 """Selectively log an accepted request."""
502
503 if self.server.logRequests:
504 BaseHTTPServer.BaseHTTPRequestHandler.log_request(self, code, size)
505
Tim Peters2c60f7a2003-01-29 03:49:43 +0000506class SimpleXMLRPCServer(SocketServer.TCPServer,
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000507 SimpleXMLRPCDispatcher):
Fredrik Lundhb329b712001-09-17 17:35:21 +0000508 """Simple XML-RPC server.
509
510 Simple XML-RPC server that allows functions and a single instance
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000511 to be installed to handle requests. The default implementation
512 attempts to dispatch XML-RPC calls to the functions or instance
513 installed in the server. Override the _dispatch method inhereted
514 from SimpleXMLRPCDispatcher to change this behavior.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000515 """
516
Andrew M. Kuchling3a976052005-12-04 15:07:41 +0000517 allow_reuse_address = True
518
Fredrik Lundhb329b712001-09-17 17:35:21 +0000519 def __init__(self, addr, requestHandler=SimpleXMLRPCRequestHandler,
Guido van Rossumd8faa362007-04-27 19:54:29 +0000520 logRequests=True, allow_none=False, encoding=None, bind_and_activate=True):
Fredrik Lundhb329b712001-09-17 17:35:21 +0000521 self.logRequests = logRequests
Tim Peters2c60f7a2003-01-29 03:49:43 +0000522
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000523 SimpleXMLRPCDispatcher.__init__(self, allow_none, encoding)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000524 SocketServer.TCPServer.__init__(self, addr, requestHandler, bind_and_activate)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000525
Tim Peters536cf992005-12-25 23:18:31 +0000526 # [Bug #1222790] If possible, set close-on-exec flag; if a
527 # method spawns a subprocess, the subprocess shouldn't have
Andrew M. Kuchling3a976052005-12-04 15:07:41 +0000528 # the listening socket open.
Thomas Wouters49fd7fa2006-04-21 10:40:58 +0000529 if fcntl is not None and hasattr(fcntl, 'FD_CLOEXEC'):
Andrew M. Kuchling3a976052005-12-04 15:07:41 +0000530 flags = fcntl.fcntl(self.fileno(), fcntl.F_GETFD)
531 flags |= fcntl.FD_CLOEXEC
532 fcntl.fcntl(self.fileno(), fcntl.F_SETFD, flags)
533
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000534class CGIXMLRPCRequestHandler(SimpleXMLRPCDispatcher):
535 """Simple handler for XML-RPC data passed through CGI."""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000536
Andrew M. Kuchling427aedb2005-12-04 17:13:12 +0000537 def __init__(self, allow_none=False, encoding=None):
538 SimpleXMLRPCDispatcher.__init__(self, allow_none, encoding)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000539
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000540 def handle_xmlrpc(self, request_text):
541 """Handle a single XML-RPC request"""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000542
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000543 response = self._marshaled_dispatch(request_text)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000544
Guido van Rossumbe19ed72007-02-09 05:37:30 +0000545 print('Content-Type: text/xml')
546 print('Content-Length: %d' % len(response))
547 print()
Martin v. Löwis9c5ea502003-05-01 05:05:09 +0000548 sys.stdout.write(response)
Fredrik Lundhb329b712001-09-17 17:35:21 +0000549
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000550 def handle_get(self):
551 """Handle a single HTTP GET request.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000552
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000553 Default implementation indicates an error because
554 XML-RPC uses the POST method.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000555 """
556
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000557 code = 400
558 message, explain = \
559 BaseHTTPServer.BaseHTTPRequestHandler.responses[code]
Tim Peters2c60f7a2003-01-29 03:49:43 +0000560
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000561 response = BaseHTTPServer.DEFAULT_ERROR_MESSAGE % \
562 {
Tim Peters2c60f7a2003-01-29 03:49:43 +0000563 'code' : code,
564 'message' : message,
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000565 'explain' : explain
566 }
Guido van Rossumbe19ed72007-02-09 05:37:30 +0000567 print('Status: %d %s' % (code, message))
568 print('Content-Type: text/html')
569 print('Content-Length: %d' % len(response))
570 print()
Neal Norwitz732911f2003-06-29 04:16:28 +0000571 sys.stdout.write(response)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000572
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000573 def handle_request(self, request_text = None):
574 """Handle a single XML-RPC request passed through a CGI post method.
Tim Peters2c60f7a2003-01-29 03:49:43 +0000575
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000576 If no XML data is given then it is read from stdin. The resulting
577 XML-RPC response is printed to stdout along with the correct HTTP
578 headers.
Fredrik Lundhb329b712001-09-17 17:35:21 +0000579 """
Tim Peters2c60f7a2003-01-29 03:49:43 +0000580
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000581 if request_text is None and \
582 os.environ.get('REQUEST_METHOD', None) == 'GET':
583 self.handle_get()
584 else:
585 # POST data is normally available through stdin
586 if request_text is None:
Tim Peters2c60f7a2003-01-29 03:49:43 +0000587 request_text = sys.stdin.read()
Fredrik Lundhb329b712001-09-17 17:35:21 +0000588
Martin v. Löwisd69663d2003-01-15 11:37:23 +0000589 self.handle_xmlrpc(request_text)
Tim Peters2c60f7a2003-01-29 03:49:43 +0000590
Fredrik Lundhb329b712001-09-17 17:35:21 +0000591if __name__ == '__main__':
Guido van Rossumbe19ed72007-02-09 05:37:30 +0000592 print('Running XML-RPC server on port 8000')
Fredrik Lundhb329b712001-09-17 17:35:21 +0000593 server = SimpleXMLRPCServer(("localhost", 8000))
594 server.register_function(pow)
595 server.register_function(lambda x,y: x+y, 'add')
596 server.serve_forever()