• xmlrpc.server —- Basic XML-RPC servers
    • SimpleXMLRPCServer Objects
      • SimpleXMLRPCServer Example
    • CGIXMLRPCRequestHandler
    • Documenting XMLRPC server
    • DocXMLRPCServer Objects
    • DocCGIXMLRPCRequestHandler

    xmlrpc.server —- Basic XML-RPC servers

    Source code:Lib/xmlrpc/server.py


    The xmlrpc.server module provides a basic server framework for XML-RPCservers written in Python. Servers can either be free standing, usingSimpleXMLRPCServer, or embedded in a CGI environment, usingCGIXMLRPCRequestHandler.

    警告

    The xmlrpc.server module is not secure against maliciouslyconstructed data. If you need to parse untrusted or unauthenticated data seeXML 漏洞.

    • class xmlrpc.server.SimpleXMLRPCServer(addr, requestHandler=SimpleXMLRPCRequestHandler, logRequests=True, allow_none=False, encoding=None, bind_and_activate=True, use_builtin_types=False)
    • Create a new server instance. This class provides methods for registration offunctions that can be called by the XML-RPC protocol. The requestHandler_parameter should be a factory for request handler instances; it defaults toSimpleXMLRPCRequestHandler. The _addr and requestHandler parametersare passed to the socketserver.TCPServer constructor. If logRequests_is true (the default), requests will be logged; setting this parameter to falsewill turn off logging. The _allow_none and encoding parameters are passedon to xmlrpc.client and control the XML-RPC responses that will be returnedfrom the server. The bind_and_activate parameter controls whetherserverbind() and server_activate() are called immediately by theconstructor; it defaults to true. Setting it to false allows code to manipulatethe _allow_reuse_address class variable before the address is bound.The use_builtin_types parameter is passed to theloads() function and controls which types are processedwhen date/times values or binary data are received; it defaults to false.

    在 3.3 版更改: The use_builtin_types flag was added.

    • class xmlrpc.server.CGIXMLRPCRequestHandler(allow_none=False, encoding=None, use_builtin_types=False)
    • Create a new instance to handle XML-RPC requests in a CGI environment. Theallow_none and encoding parameters are passed on to xmlrpc.clientand control the XML-RPC responses that will be returned from the server.The use_builtin_types parameter is passed to theloads() function and controls which types are processedwhen date/times values or binary data are received; it defaults to false.

    在 3.3 版更改: The use_builtin_types flag was added.

    • class xmlrpc.server.SimpleXMLRPCRequestHandler
    • Create a new request handler instance. This request handler supports POSTrequests and modifies logging so that the logRequests parameter to theSimpleXMLRPCServer constructor parameter is honored.

    SimpleXMLRPCServer Objects

    The SimpleXMLRPCServer class is based onsocketserver.TCPServer and provides a means of creating simple, standalone XML-RPC servers.

    • SimpleXMLRPCServer.registerfunction(_function=None, name=None)
    • Register a function that can respond to XML-RPC requests. If name is given,it will be the method name associated with function, otherwisefunction.name will be used. name is a string, and may containcharacters not legal in Python identifiers, including the period character.

    This method can also be used as a decorator. When used as a decorator,name can only be given as a keyword argument to register function undername. If no name is given, function.name will be used.

    在 3.7 版更改: register_function() can be used as a decorator.

    • SimpleXMLRPCServer.registerinstance(_instance, allow_dotted_names=False)
    • Register an object which is used to expose method names which have not beenregistered using register_function(). If instance contains adispatch() method, it is called with the requested method name and theparameters from the request. Its API is def _dispatch(self, method, params)(note that _params does not represent a variable argument list). If it callsan underlying function to perform its task, that function is called asfunc(*params), expanding the parameter list. The return value fromdispatch() is returned to the client as the result. If _instance doesnot have a _dispatch() method, it is searched for an attribute matchingthe name of the requested method.

    If the optional allow_dotted_names argument is true and the instance does nothave a _dispatch() method, then if the requested method name containsperiods, each component of the method name is searched for individually, withthe effect that a simple hierarchical search is performed. The value found fromthis search is then called with the parameters from the request, and the returnvalue is passed back to the client.

    警告

    Enabling the allow_dotted_names option allows intruders to access yourmodule's global variables and may allow intruders to execute arbitrary code onyour machine. Only use this option on a secure, closed network.

    • SimpleXMLRPCServer.register_introspection_functions()
    • Registers the XML-RPC introspection functions system.listMethods,system.methodHelp and system.methodSignature.

    • SimpleXMLRPCServer.register_multicall_functions()

    • Registers the XML-RPC multicall function system.multicall.

    • SimpleXMLRPCRequestHandler.rpc_paths

    • An attribute value that must be a tuple listing valid path portions of the URLfor receiving XML-RPC requests. Requests posted to other paths will result in a404 "no such page" HTTP error. If this tuple is empty, all paths will beconsidered valid. The default value is ('/', '/RPC2').

    SimpleXMLRPCServer Example

    Server code:

    1. from xmlrpc.server import SimpleXMLRPCServer
    2. from xmlrpc.server import SimpleXMLRPCRequestHandler
    3.  
    4. # Restrict to a particular path.
    5. class RequestHandler(SimpleXMLRPCRequestHandler):
    6. rpc_paths = ('/RPC2',)
    7.  
    8. # Create server
    9. with SimpleXMLRPCServer(('localhost', 8000),
    10. requestHandler=RequestHandler) as server:
    11. server.register_introspection_functions()
    12.  
    13. # Register pow() function; this will use the value of
    14. # pow.__name__ as the name, which is just 'pow'.
    15. server.register_function(pow)
    16.  
    17. # Register a function under a different name
    18. def adder_function(x, y):
    19. return x + y
    20. server.register_function(adder_function, 'add')
    21.  
    22. # Register an instance; all the methods of the instance are
    23. # published as XML-RPC methods (in this case, just 'mul').
    24. class MyFuncs:
    25. def mul(self, x, y):
    26. return x * y
    27.  
    28. server.register_instance(MyFuncs())
    29.  
    30. # Run the server's main loop
    31. server.serve_forever()

    The following client code will call the methods made available by the precedingserver:

    1. import xmlrpc.client
    2.  
    3. s = xmlrpc.client.ServerProxy('http://localhost:8000')
    4. print(s.pow(2,3)) # Returns 2**3 = 8
    5. print(s.add(2,3)) # Returns 5
    6. print(s.mul(5,2)) # Returns 5*2 = 10
    7.  
    8. # Print list of available methods
    9. print(s.system.listMethods())

    register_function() can also be used as a decorator. The previous serverexample can register functions in a decorator way:

    1. from xmlrpc.server import SimpleXMLRPCServer
    2. from xmlrpc.server import SimpleXMLRPCRequestHandler
    3.  
    4. class RequestHandler(SimpleXMLRPCRequestHandler):
    5. rpc_paths = ('/RPC2',)
    6.  
    7. with SimpleXMLRPCServer(('localhost', 8000),
    8. requestHandler=RequestHandler) as server:
    9. server.register_introspection_functions()
    10.  
    11. # Register pow() function; this will use the value of
    12. # pow.__name__ as the name, which is just 'pow'.
    13. server.register_function(pow)
    14.  
    15. # Register a function under a different name, using
    16. # register_function as a decorator. *name* can only be given
    17. # as a keyword argument.
    18. @server.register_function(name='add')
    19. def adder_function(x, y):
    20. return x + y
    21.  
    22. # Register a function under function.__name__.
    23. @server.register_function
    24. def mul(x, y):
    25. return x * y
    26.  
    27. server.serve_forever()

    The following example included in the Lib/xmlrpc/server.py module showsa server allowing dotted names and registering a multicall function.

    警告

    Enabling the allow_dotted_names option allows intruders to access yourmodule's global variables and may allow intruders to execute arbitrary code onyour machine. Only use this example only within a secure, closed network.

    1. import datetime
    2.  
    3. class ExampleService:
    4. def getData(self):
    5. return '42'
    6.  
    7. class currentTime:
    8. @staticmethod
    9. def getCurrentTime():
    10. return datetime.datetime.now()
    11.  
    12. with SimpleXMLRPCServer(("localhost", 8000)) as server:
    13. server.register_function(pow)
    14. server.register_function(lambda x,y: x+y, 'add')
    15. server.register_instance(ExampleService(), allow_dotted_names=True)
    16. server.register_multicall_functions()
    17. print('Serving XML-RPC on localhost port 8000')
    18. try:
    19. server.serve_forever()
    20. except KeyboardInterrupt:
    21. print("\nKeyboard interrupt received, exiting.")
    22. sys.exit(0)

    This ExampleService demo can be invoked from the command line:

    1. python -m xmlrpc.server

    The client that interacts with the above server is included inLib/xmlrpc/client.py:

    1. server = ServerProxy("http://localhost:8000")
    2.  
    3. try:
    4. print(server.currentTime.getCurrentTime())
    5. except Error as v:
    6. print("ERROR", v)
    7.  
    8. multi = MultiCall(server)
    9. multi.getData()
    10. multi.pow(2,9)
    11. multi.add(1,2)
    12. try:
    13. for response in multi():
    14. print(response)
    15. except Error as v:
    16. print("ERROR", v)

    This client which interacts with the demo XMLRPC server can be invoked as:

    1. python -m xmlrpc.client

    CGIXMLRPCRequestHandler

    The CGIXMLRPCRequestHandler class can be used to handle XML-RPCrequests sent to Python CGI scripts.

    • CGIXMLRPCRequestHandler.registerfunction(_function=None, name=None)
    • Register a function that can respond to XML-RPC requests. If name is given,it will be the method name associated with function, otherwisefunction.name will be used. name is a string, and may containcharacters not legal in Python identifiers, including the period character.

    This method can also be used as a decorator. When used as a decorator,name can only be given as a keyword argument to register function undername. If no name is given, function.name will be used.

    在 3.7 版更改: register_function() can be used as a decorator.

    • CGIXMLRPCRequestHandler.registerinstance(_instance)
    • Register an object which is used to expose method names which have not beenregistered using register_function(). If instance contains a_dispatch() method, it is called with the requested method name and theparameters from the request; the return value is returned to the client as theresult. If instance does not have a _dispatch() method, it is searchedfor an attribute matching the name of the requested method; if the requestedmethod name contains periods, each component of the method name is searched forindividually, with the effect that a simple hierarchical search is performed.The value found from this search is then called with the parameters from therequest, and the return value is passed back to the client.

    • CGIXMLRPCRequestHandler.register_introspection_functions()

    • Register the XML-RPC introspection functions system.listMethods,system.methodHelp and system.methodSignature.

    • CGIXMLRPCRequestHandler.register_multicall_functions()

    • Register the XML-RPC multicall function system.multicall.

    • CGIXMLRPCRequestHandler.handlerequest(_request_text=None)

    • Handle an XML-RPC request. If request_text is given, it should be the POSTdata provided by the HTTP server, otherwise the contents of stdin will be used.

    示例:

    1. class MyFuncs:
    2. def mul(self, x, y):
    3. return x * y
    4.  
    5.  
    6. handler = CGIXMLRPCRequestHandler()
    7. handler.register_function(pow)
    8. handler.register_function(lambda x,y: x+y, 'add')
    9. handler.register_introspection_functions()
    10. handler.register_instance(MyFuncs())
    11. handler.handle_request()

    Documenting XMLRPC server

    These classes extend the above classes to serve HTML documentation in responseto HTTP GET requests. Servers can either be free standing, usingDocXMLRPCServer, or embedded in a CGI environment, usingDocCGIXMLRPCRequestHandler.

    • class xmlrpc.server.DocXMLRPCServer(addr, requestHandler=DocXMLRPCRequestHandler, logRequests=True, allow_none=False, encoding=None, bind_and_activate=True, use_builtin_types=True)
    • Create a new server instance. All parameters have the same meaning as forSimpleXMLRPCServer; requestHandler defaults toDocXMLRPCRequestHandler.

    在 3.3 版更改: The use_builtin_types flag was added.

    • class xmlrpc.server.DocCGIXMLRPCRequestHandler
    • Create a new instance to handle XML-RPC requests in a CGI environment.

    • class xmlrpc.server.DocXMLRPCRequestHandler

    • Create a new request handler instance. This request handler supports XML-RPCPOST requests, documentation GET requests, and modifies logging so that thelogRequests parameter to the DocXMLRPCServer constructor parameter ishonored.

    DocXMLRPCServer Objects

    The DocXMLRPCServer class is derived from SimpleXMLRPCServerand provides a means of creating self-documenting, stand alone XML-RPCservers. HTTP POST requests are handled as XML-RPC method calls. HTTP GETrequests are handled by generating pydoc-style HTML documentation. This allows aserver to provide its own web-based documentation.

    • DocXMLRPCServer.setserver_title(_server_title)
    • Set the title used in the generated HTML documentation. This title will be usedinside the HTML "title" element.

    • DocXMLRPCServer.setserver_name(_server_name)

    • Set the name used in the generated HTML documentation. This name will appear atthe top of the generated documentation inside a "h1" element.

    • DocXMLRPCServer.setserver_documentation(_server_documentation)

    • Set the description used in the generated HTML documentation. This descriptionwill appear as a paragraph, below the server name, in the documentation.

    DocCGIXMLRPCRequestHandler

    The DocCGIXMLRPCRequestHandler class is derived fromCGIXMLRPCRequestHandler and provides a means of creatingself-documenting, XML-RPC CGI scripts. HTTP POST requests are handled as XML-RPCmethod calls. HTTP GET requests are handled by generating pydoc-style HTMLdocumentation. This allows a server to provide its own web-based documentation.

    • DocCGIXMLRPCRequestHandler.setserver_title(_server_title)
    • Set the title used in the generated HTML documentation. This title will be usedinside the HTML "title" element.

    • DocCGIXMLRPCRequestHandler.setserver_name(_server_name)

    • Set the name used in the generated HTML documentation. This name will appear atthe top of the generated documentation inside a "h1" element.

    • DocCGIXMLRPCRequestHandler.setserver_documentation(_server_documentation)

    • Set the description used in the generated HTML documentation. This descriptionwill appear as a paragraph, below the server name, in the documentation.