HEX
Server: LiteSpeed
System: Linux premium321.web-hosting.com 4.18.0-553.50.1.lve.el8.x86_64 #1 SMP Thu Apr 17 19:10:24 UTC 2025 x86_64
User: paksjuts (1314)
PHP: 8.1.33
Disabled: NONE
Upload Files
File: //proc/thread-self/root/usr/lib64/python3.6/xmlrpc/__pycache__/server.cpython-36.pyc
3

Ow�hK��@sdZddlmZmZmZmZmZddlmZddl	Z	ddlZ
ddlZddlZddl
Z
ddlZddlZddlZddlZyddlZWnek
r�dZYnXd*dd�Zdd	�ZGd
d�d�ZGdd
�d
e�ZGdd�deje�ZGdd�de�ZGdd�de�ZGdd�dej�ZGdd�d�ZGdd�de�ZGdd�dee�Z Gdd�dee�Z!e"dk�r�ddl#Z#Gdd �d �Z$ed+��~Z%e%j&e'�e%j&d#d$�d%�e%j(e$�dd&�e%j)�e*d'�e*d(�ye%j+�Wn(e,k
�r�e*d)�ej-d�YnXWdQRXdS),aXML-RPC Servers.

This module can be used to create simple XML-RPC servers
by creating a server and either installing functions, a
class instance, or by extending the SimpleXMLRPCServer
class.

It can also be used to handle XML-RPC requests in a CGI
environment using CGIXMLRPCRequestHandler.

The Doc* classes can be used to create XML-RPC servers that
serve pydoc-style documentation in response to HTTP
GET requests. This documentation is dynamically generated
based on the functions and methods registered with the
server.

A list of possible usage patterns follows:

1. Install functions:

server = SimpleXMLRPCServer(("localhost", 8000))
server.register_function(pow)
server.register_function(lambda x,y: x+y, 'add')
server.serve_forever()

2. Install an instance:

class MyFuncs:
    def __init__(self):
        # make all of the sys functions available through sys.func_name
        import sys
        self.sys = sys
    def _listMethods(self):
        # implement this method so that system.listMethods
        # knows to advertise the sys methods
        return list_public_methods(self) + \
                ['sys.' + method for method in list_public_methods(self.sys)]
    def pow(self, x, y): return pow(x, y)
    def add(self, x, y) : return x + y

server = SimpleXMLRPCServer(("localhost", 8000))
server.register_introspection_functions()
server.register_instance(MyFuncs())
server.serve_forever()

3. Install an instance with custom dispatch method:

class Math:
    def _listMethods(self):
        # this method must be present for system.listMethods
        # to work
        return ['add', 'pow']
    def _methodHelp(self, method):
        # this method must be present for system.methodHelp
        # to work
        if method == 'add':
            return "add(2,3) => 5"
        elif method == 'pow':
            return "pow(x, y[, z]) => number"
        else:
            # By convention, return empty
            # string if no help is available
            return ""
    def _dispatch(self, method, params):
        if method == 'pow':
            return pow(*params)
        elif method == 'add':
            return params[0] + params[1]
        else:
            raise ValueError('bad method')

server = SimpleXMLRPCServer(("localhost", 8000))
server.register_introspection_functions()
server.register_instance(Math())
server.serve_forever()

4. Subclass SimpleXMLRPCServer:

class MathServer(SimpleXMLRPCServer):
    def _dispatch(self, method, params):
        try:
            # We are forcing the 'export_' prefix on methods that are
            # callable through XML-RPC to prevent potential security
            # problems
            func = getattr(self, 'export_' + method)
        except AttributeError:
            raise Exception('method "%s" is not supported' % method)
        else:
            return func(*params)

    def export_add(self, x, y):
        return x + y

server = MathServer(("localhost", 8000))
server.serve_forever()

5. CGI script:

server = CGIXMLRPCRequestHandler()
server.register_function(pow)
server.handle_request()
�)�Fault�dumps�loads�gzip_encode�gzip_decode)�BaseHTTPRequestHandlerNTcCsJ|r|jd�}n|g}x.|D]&}|jd�r8td|��qt||�}qW|S)aGresolve_dotted_attribute(a, 'b.c.d') => a.b.c.d

    Resolves a dotted attribute name to an object.  Raises
    an AttributeError if any attribute in the chain starts with a '_'.

    If the optional allow_dotted_names argument is false, dots are not
    supported and this function operates similar to getattr(obj, attr).
    �.�_z(attempt to access private attribute "%s")�split�
startswith�AttributeError�getattr)�obj�attr�allow_dotted_namesZattrs�i�r�%/usr/lib64/python3.6/xmlrpc/server.py�resolve_dotted_attribute{s


rcs�fdd�t��D�S)zkReturns a list of attribute strings, found in the specified
    object, which represent callable attributescs*g|]"}|jd�rtt�|��r|�qS)r	)r�callabler
)�.0�member)rrr�
<listcomp>�sz'list_public_methods.<locals>.<listcomp>)�dir)rr)rr�list_public_methods�src@speZdZdZddd�Zddd�Zddd	�Zd
d�Zdd
�Zddd�Z	dd�Z
dd�Zdd�Zdd�Z
dd�ZdS)�SimpleXMLRPCDispatchera&Mix-in class that dispatches XML-RPC requests.

    This class is used to register XML-RPC method handlers
    and then to dispatch them. This class doesn't need to be
    instanced directly when used by SimpleXMLRPCServer but it
    can be instanced when used by the MultiPathXMLRPCServer
    FNcCs&i|_d|_||_|pd|_||_dS)Nzutf-8)�funcs�instance�
allow_none�encoding�use_builtin_types)�selfrrr rrr�__init__�s

zSimpleXMLRPCDispatcher.__init__cCs||_||_dS)aRegisters an instance to respond to XML-RPC requests.

        Only one instance can be installed at a time.

        If the registered instance has a _dispatch method then that
        method will be called with the name of the XML-RPC method and
        its parameters as a tuple
        e.g. instance._dispatch('add',(2,3))

        If the registered instance does not have a _dispatch method
        then the instance will be searched to find a matching method
        and, if found, will be called. Methods beginning with an '_'
        are considered private and will not be called by
        SimpleXMLRPCServer.

        If a registered function matches an XML-RPC request, then it
        will be called instead of the registered instance.

        If the optional allow_dotted_names argument is true and the
        instance does not have a _dispatch method, method names
        containing dots are supported and resolved, as long as none of
        the name segments start with an '_'.

            *** SECURITY WARNING: ***

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

        N)rr)r!rrrrr�register_instance�s!z(SimpleXMLRPCDispatcher.register_instancecCs|dkr|j}||j|<dS)z�Registers a function to respond to XML-RPC requests.

        The optional name argument can be used to set a Unicode name
        for the function.
        N)�__name__r)r!Zfunction�namerrr�register_function�sz(SimpleXMLRPCDispatcher.register_functioncCs|jj|j|j|jd��dS)z�Registers the XML-RPC introspection methods in the system
        namespace.

        see http://xmlrpc.usefulinc.com/doc/reserved.html
        )zsystem.listMethodszsystem.methodSignaturezsystem.methodHelpN)r�update�system_listMethods�system_methodSignature�system_methodHelp)r!rrr� register_introspection_functions�s
z7SimpleXMLRPCDispatcher.register_introspection_functionscCs|jjd|ji�dS)z�Registers the XML-RPC multicall method in the system
        namespace.

        see http://www.xmlrpc.com/discuss/msgReader$1208zsystem.multicallN)rr'�system_multicall)r!rrr�register_multicall_functions�sz3SimpleXMLRPCDispatcher.register_multicall_functionscCs�yPt||jd�\}}|dk	r(|||�}n|j||�}|f}t|d|j|jd�}Wn�tk
r�}zt||j|jd�}WYdd}~XnNtj�\}}	}
z$ttdd||	f�|j|jd�}Wdd}}	}
XYnX|j	|jd�S)	a�Dispatches an XML-RPC method from marshalled (XML) data.

        XML-RPC methods are dispatched from the marshalled (XML) data
        using the _dispatch method and the result is returned as
        marshalled data. For backwards compatibility, a dispatch
        function can be provided as an argument (see comment in
        SimpleXMLRPCRequestHandler.do_POST) but overriding the
        existing method through subclassing is the preferred means
        of changing method dispatch behavior.
        )r N�)Zmethodresponserr)rrz%s:%s)rr�xmlcharrefreplace)
rr �	_dispatchrrrr�sys�exc_info�encode)r!�data�dispatch_method�path�params�method�response�fault�exc_type�	exc_value�exc_tbrrr�_marshaled_dispatch�s&z*SimpleXMLRPCDispatcher._marshaled_dispatchcCs^t|jj��}|jdk	rVt|jd�r8|t|jj��O}nt|jd�sV|tt|j��O}t|�S)zwsystem.listMethods() => ['add', 'subtract', 'multiple']

        Returns a list of the methods supported by the server.N�_listMethodsr0)�setr�keysr�hasattrr?r�sorted)r!�methodsrrrr(s
z)SimpleXMLRPCDispatcher.system_listMethodscCsdS)a#system.methodSignature('add') => [double, int, int]

        Returns a list describing the signature of the method. In the
        above example, the add method takes two integers as arguments
        and returns a double result.

        This server does NOT support system.methodSignature.zsignatures not supportedr)r!�method_namerrrr))sz-SimpleXMLRPCDispatcher.system_methodSignaturecCs�d}||jkr|j|}nX|jdk	rrt|jd�r<|jj|�St|jd�sryt|j||j�}Wntk
rpYnX|dkr~dStj|�SdS)z�system.methodHelp('add') => "Adds two integers together"

        Returns a string containing documentation for the specified method.N�_methodHelpr0�)	rrrBrFrrr�pydoc�getdoc)r!rEr8rrrr*6s"

z(SimpleXMLRPCDispatcher.system_methodHelpc
Cs�g}x�|D]�}|d}|d}y|j|j||�g�Wq
tk
rl}z|j|j|jd��WYdd}~Xq
tj�\}}}	z|jdd||fd��Wdd}}}	XYq
Xq
W|S)z�system.multicall([{'methodName': 'add', 'params': [2, 2]}, ...]) => [[4], ...]

        Allows the caller to package multiple XML-RPC calls into a single
        request.

        See http://www.xmlrpc.com/discuss/msgReader$1208
        Z
methodNamer7)�	faultCode�faultStringNr.z%s:%s)�appendr0rrJrKr1r2)
r!Z	call_list�resultsZcallrEr7r:r;r<r=rrrr,Us$

z'SimpleXMLRPCDispatcher.system_multicallcCs�y|j|}Wntk
r"YnX|dk	r4||�Std|��|jdk	r�t|jd�rd|jj||�Syt|j||j�}Wntk
r�YnX|dk	r�||�Std|��dS)a�Dispatches the XML-RPC method.

        XML-RPC calls are forwarded to a registered function that
        matches the called XML-RPC method name. If no such function
        exists then the call is forwarded to the registered instance,
        if available.

        If the registered instance has a _dispatch method then that
        method will be called with the name of the XML-RPC method and
        its parameters as a tuple
        e.g. instance._dispatch('add',(2,3))

        If the registered instance does not have a _dispatch method
        then the instance will be searched to find a matching method
        and, if found, will be called.

        Methods beginning with an '_' are considered private and will
        not be called.
        Nzmethod "%s" is not supportedr0)	r�KeyError�	ExceptionrrBr0rrr)r!r8r7�funcrrrr0ys(
z SimpleXMLRPCDispatcher._dispatch)FNF)F)N)NN)r$�
__module__�__qualname__�__doc__r"r#r&r+r-r>r(r)r*r,r0rrrrr�s

$

)
$rc@sfeZdZdZdZdZdZdZej	dej
ejB�Zdd	�Z
d
d�Zdd
�Zdd�Zdd�Zddd�ZdS)�SimpleXMLRPCRequestHandlerz�Simple XML-RPC request handler class.

    Handles all HTTP POST requests and attempts to decode them as
    XML-RPC requests.
    �/�/RPC2ixr.Tz�
                            \s* ([^\s;]+) \s*            #content-coding
                            (;\s* q \s*=\s* ([0-9\.]+))? #q
                            cCsbi}|jjdd�}xJ|jd�D]<}|jj|�}|r|jd�}|rHt|�nd}|||jd�<qW|S)NzAccept-EncodingrG�,�g�?r.)�headers�getr
�	aepattern�match�group�float)r!�rZae�er\�vrrr�accept_encodings�s
z+SimpleXMLRPCRequestHandler.accept_encodingscCs|jr|j|jkSdSdS)NT)�	rpc_pathsr6)r!rrr�is_rpc_path_valid�sz,SimpleXMLRPCRequestHandler.is_rpc_path_validcCs�|j�s|j�dSy�d}t|jd�}g}x>|rjt||�}|jj|�}|sNP|j|�|t|d�8}q.Wdj	|�}|j
|�}|dkr�dS|jj|t
|dd�|j�}Wn�tk
�r6}zp|jd�t|jd	�o�|jj�r|jd
t|��tj�}	t|	jdd�d�}	|jd
|	�|jdd�|j�WYdd}~Xn�X|jd�|jdd�|jdk	�r�t|�|jk�r�|j�jdd�}
|
�r�yt|�}|jdd�Wntk
�r�YnX|jdtt|���|j�|jj|�dS)z�Handles the HTTP POST request.

        Attempts to interpret all HTTP POST requests as XML-RPC calls,
        which are forwarded to the server's _dispatch method for handling.
        N�
izcontent-lengthr.�r0i��_send_traceback_headerzX-exception�ASCII�backslashreplacezX-tracebackzContent-length�0��zContent-typeztext/xml�gziprzContent-Encodingi(i����) rd�
report_404�intrY�minZrfile�readrL�len�join�decode_request_content�serverr>r
r6rO�
send_responserBrg�send_header�str�	traceback�
format_excr3�end_headers�encode_thresholdrbrZr�NotImplementedError�wfile�write)r!Zmax_chunk_sizeZsize_remaining�LZ
chunk_size�chunkr4r9r`Ztrace�qrrr�do_POST�sX






z"SimpleXMLRPCRequestHandler.do_POSTcCs�|jjdd�j�}|dkr|S|dkrtyt|�Stk
rR|jdd|�Yq�tk
rp|jdd�Yq�Xn|jdd|�|jdd	�|j�dS)
Nzcontent-encodingZidentityrli�zencoding %r not supportedi�zerror decoding gzip contentzContent-lengthrj)	rYrZ�lowerrr}rv�
ValueErrorrwr{)r!r4rrrrrtsz1SimpleXMLRPCRequestHandler.decode_request_contentcCsF|jd�d}|jdd�|jdtt|���|j�|jj|�dS)Ni�sNo such pagezContent-typez
text/plainzContent-length)rvrwrxrrr{r~r)r!r9rrrrn/s
z%SimpleXMLRPCRequestHandler.report_404�-cCs|jjrtj|||�dS)z$Selectively log an accepted request.N)ru�logRequestsr�log_request)r!�code�sizerrrr�8sz&SimpleXMLRPCRequestHandler.log_requestN)rUrVrm)r�r�)r$rQrRrSrcr|ZwbufsizeZdisable_nagle_algorithm�re�compile�VERBOSE�
IGNORECASEr[rbrdr�rtrnr�rrrrrT�sG	rTc@s.eZdZdZdZdZedddddfdd�ZdS)�SimpleXMLRPCServeragSimple XML-RPC server.

    Simple XML-RPC server that allows functions and a single instance
    to be installed to handle requests. The default implementation
    attempts to dispatch XML-RPC calls to the functions or instance
    installed in the server. Override the _dispatch method inherited
    from SimpleXMLRPCDispatcher to change this behavior.
    TFNcCs,||_tj||||�tjj||||�dS)N)r�rr"�socketserver�	TCPServer)r!�addr�requestHandlerr�rr�bind_and_activater rrrr"QszSimpleXMLRPCServer.__init__)r$rQrRrSZallow_reuse_addressrgrTr"rrrrr�>s	r�c@s@eZdZdZedddddfdd�Zdd�Zd	d
�Zd
dd�ZdS)�MultiPathXMLRPCServera\Multipath XML-RPC Server
    This specialization of SimpleXMLRPCServer allows the user to create
    multiple Dispatcher instances and assign them to different
    HTTP request paths.  This makes it possible to run two or more
    'virtual XML-RPC servers' at the same port.
    Make sure that the requestHandler accepts the paths in question.
    TFNc	Cs2tj||||||||�i|_||_|p*d|_dS)Nzutf-8)r�r"�dispatchersrr)r!r�r�r�rrr�r rrrr"bs

zMultiPathXMLRPCServer.__init__cCs||j|<|S)N)r�)r!r6Z
dispatcherrrr�add_dispatcherls
z$MultiPathXMLRPCServer.add_dispatchercCs
|j|S)N)r�)r!r6rrr�get_dispatcherpsz$MultiPathXMLRPCServer.get_dispatchercCs|y|j|j|||�}Wn^tj�dd�\}}z2ttdd||f�|j|jd�}|j|jd�}Wdd}}XYnX|S)N�r.z%s:%s)rrr/)	r�r>r1r2rrrrr3)r!r4r5r6r9r;r<rrrr>ss
z)MultiPathXMLRPCServer._marshaled_dispatch)NN)	r$rQrRrSrTr"r�r�r>rrrrr�Zsr�c@s4eZdZdZddd�Zdd�Zdd	�Zd
d
d�ZdS)�CGIXMLRPCRequestHandlerz3Simple handler for XML-RPC data passed through CGI.FNcCstj||||�dS)N)rr")r!rrr rrrr"�sz CGIXMLRPCRequestHandler.__init__cCsP|j|�}td�tdt|��t�tjj�tjjj|�tjjj�dS)zHandle a single XML-RPC requestzContent-Type: text/xmlzContent-Length: %dN)r>�printrrr1�stdout�flush�bufferr)r!�request_textr9rrr�
handle_xmlrpc�s

z%CGIXMLRPCRequestHandler.handle_xmlrpccCs�d}tj|\}}tjj|||d�}|jd�}td||f�tdtjj�tdt|��t�t	j
j�t	j
jj
|�t	j
jj�dS)z�Handle a single HTTP GET request.

        Default implementation indicates an error because
        XML-RPC uses the POST method.
        i�)r��message�explainzutf-8z
Status: %d %szContent-Type: %szContent-Length: %dN)rZ	responses�httpruZDEFAULT_ERROR_MESSAGEr3r�ZDEFAULT_ERROR_CONTENT_TYPErrr1r�r�r�r)r!r�r�r�r9rrr�
handle_get�s


z"CGIXMLRPCRequestHandler.handle_getcCsz|dkr$tjjdd�dkr$|j�nRyttjjdd��}Wnttfk
rVd}YnX|dkrltjj	|�}|j
|�dS)z�Handle a single XML-RPC request passed through a CGI post method.

        If no XML data is given then it is read from stdin. The resulting
        XML-RPC response is printed to stdout along with the correct HTTP
        headers.
        NZREQUEST_METHODZGETZCONTENT_LENGTHr.rm)�os�environrZr�ror��	TypeErrorr1�stdinrqr�)r!r�Zlengthrrr�handle_request�s

z&CGIXMLRPCRequestHandler.handle_request)FNF)N)r$rQrRrSr"r�r�r�rrrrr��s

r�c@s>eZdZdZdiiifdd�Zdiiidfdd�Zdd�ZdS)	�
ServerHTMLDocz7Class used to generate pydoc HTML document for a serverNcCs^|p|j}g}d}tjd�}�x|j||�}	|	s2P|	j�\}
}|j||||
���|	j�\}}
}}}}|
r�||�jdd�}|jd||f�n�|r�dt|�}|jd|||�f�n~|r�dt|�}|jd|||�f�nV|||d�d	k�r|j|j	||||��n(|�r$|jd
|�n|j|j	||��|}q W|j|||d���dj
|�S)
z�Mark up some plain text, given a context of symbols to look for.
        Each context dictionary maps object names to anchor names.rzM\b((http|ftp)://\S+[\w/]|RFC[- ]?(\d+)|PEP[- ]?(\d+)|(self\.)?((?:\w|\.)+))\b�"z&quot;z<a href="%s">%s</a>z'http://www.rfc-editor.org/rfc/rfc%d.txtz(http://www.python.org/dev/peps/pep-%04d/r.�(zself.<strong>%s</strong>NrG)�escaper�r��search�spanrL�groups�replaceroZnamelinkrs)r!�textr�r�classesrDrM�here�patternr\�start�end�all�schemeZrfcZpepZselfdotr%Zurlrrr�markup�s8

zServerHTMLDoc.markupcCs$|r
|jpdd|}d}	d|j|�|j|�f}
tj|�rrtj|�}tj|jdd�|j|j|j	|j
|jd�}n<tj|�r�tj|�}tj|j|j|j|j	|j
|jd�}nd}t
|t�r�|dp�|}|dp�d}
n
tj|�}
|
||	o�|jd	|	�}|j|
|j|||�}|�od
|}d||fS)z;Produce HTML documentation for a function or method object.rGr�z$<a name="%s"><strong>%s</strong></a>r.N)�annotations�formatvaluez(...)rz'<font face="helvetica, arial">%s</font>z<dd><tt>%s</tt></dd>z<dl><dt>%s</dt>%s</dl>
)r$r��inspectZismethodZgetfullargspecZ
formatargspec�argsZvarargsZvarkwZdefaultsr�r�Z
isfunction�
isinstance�tuplerHrIZgreyr��	preformat)r!�objectr%�modrr�rDZclZanchorZnote�titler�ZargspecZ	docstringZdecl�docrrr�
docroutine�s<





zServerHTMLDoc.docroutinecCs�i}x,|j�D] \}}d|||<||||<qW|j|�}d|}|j|dd�}|j||j|�}	|	old|	}	|d|	}g}
t|j��}x&|D]\}}|
j|j|||d��q�W||jddd	d
j	|
��}|S)z1Produce HTML documentation for an XML-RPC server.z#-z)<big><big><strong>%s</strong></big></big>z#ffffffz#7799eez<tt>%s</tt>z
<p>%s</p>
)rZMethodsz#eeaa77rG)
�itemsr�Zheadingr�r�rCrLr�Z
bigsectionrs)r!�server_nameZpackage_documentationrDZfdict�key�value�head�resultr��contentsZmethod_itemsrrr�	docserver$s"
zServerHTMLDoc.docserver)r$rQrRrSr�r�r�rrrrr��s
),r�c@s8eZdZdZdd�Zdd�Zdd�Zdd	�Zd
d�ZdS)
�XMLRPCDocGeneratorz�Generates documentation for an XML-RPC server.

    This class is designed as mix-in and should not
    be constructed directly.
    cCsd|_d|_d|_dS)NzXML-RPC Server DocumentationzGThis server exports the following methods through the XML-RPC protocol.)r��server_documentation�server_title)r!rrrr"DszXMLRPCDocGenerator.__init__cCs
||_dS)z8Set the HTML title of the generated server documentationN)r�)r!r�rrr�set_server_titleLsz#XMLRPCDocGenerator.set_server_titlecCs
||_dS)z7Set the name of the generated HTML server documentationN)r�)r!r�rrr�set_server_nameQsz"XMLRPCDocGenerator.set_server_namecCs
||_dS)z3Set the documentation string for the entire server.N)r�)r!r�rrr�set_server_documentationVsz+XMLRPCDocGenerator.set_server_documentationcCs
i}x�|j�D]�}||jkr(|j|}n�|jdk	r�ddg}t|jd�rV|jj|�|d<t|jd�rr|jj|�|d<t|�}|dkr�|}q�t|jd�s�yt|j|�}Wq�tk
r�|}Yq�Xq�|}nds�t	d��|||<qWt
�}|j|j|j
|�}|jtj|j�|�S)	agenerate_html_documentation() => html documentation for the server

        Generates HTML documentation for the server using introspection for
        installed functions and instances that do not implement the
        _dispatch method. Alternatively, instances can choose to implement
        the _get_method_argstring(method_name) method to provide the
        argument string used in the documentation and the
        _methodHelp(method_name) method to provide the help text used
        in the documentation.N�_get_method_argstringrrFr.r0zACould not find method in self.functions and no instance installed)NN)r(rrrBr�rFr�rr�AssertionErrorr�r�r�r�Zpage�htmlr�r�)r!rDrEr8Zmethod_infoZ
documenterZ
documentationrrr�generate_html_documentation[s:


z.XMLRPCDocGenerator.generate_html_documentationN)	r$rQrRrSr"r�r�r�r�rrrrr�=sr�c@seZdZdZdd�ZdS)�DocXMLRPCRequestHandlerz�XML-RPC and documentation request handler class.

    Handles all HTTP POST requests and attempts to decode them as
    XML-RPC requests.

    Handles all HTTP GET requests and interprets them as requests
    for documentation.
    cCsf|j�s|j�dS|jj�jd�}|jd�|jdd�|jdtt|���|j	�|j
j|�dS)z}Handles the HTTP GET request.

        Interpret all HTTP GET requests as requests for server
        documentation.
        Nzutf-8rkzContent-typez	text/htmlzContent-length)rdrnrur�r3rvrwrxrrr{r~r)r!r9rrr�do_GET�s
zDocXMLRPCRequestHandler.do_GETN)r$rQrRrSr�rrrrr��sr�c@s&eZdZdZedddddfdd�ZdS)�DocXMLRPCServerz�XML-RPC and HTML documentation server.

    Adds the ability to serve server documentation to the capabilities
    of SimpleXMLRPCServer.
    TFNc	Cs&tj||||||||�tj|�dS)N)r�r"r�)r!r�r�r�rrr�r rrrr"�szDocXMLRPCServer.__init__)r$rQrRrSr�r"rrrrr��sr�c@s eZdZdZdd�Zdd�ZdS)�DocCGIXMLRPCRequestHandlerzJHandler for XML-RPC data and documentation requests passed through
    CGIcCsT|j�jd�}td�tdt|��t�tjj�tjjj|�tjjj�dS)z}Handles the HTTP GET request.

        Interpret all HTTP GET requests as requests for server
        documentation.
        zutf-8zContent-Type: text/htmlzContent-Length: %dN)	r�r3r�rrr1r�r�r�r)r!r9rrrr��s
z%DocCGIXMLRPCRequestHandler.handle_getcCstj|�tj|�dS)N)r�r"r�)r!rrrr"�s
z#DocCGIXMLRPCRequestHandler.__init__N)r$rQrRrSr�r"rrrrr��sr��__main__c@s"eZdZdd�ZGdd�d�ZdS)�ExampleServicecCsdS)NZ42r)r!rrr�getData�szExampleService.getDatac@seZdZedd��ZdS)zExampleService.currentTimecCs
tjj�S)N)�datetimeZnowrrrr�getCurrentTime�sz)ExampleService.currentTime.getCurrentTimeN)r$rQrR�staticmethodr�rrrr�currentTime�sr�N)r$rQrRr�r�rrrrr��sr��	localhost�@cCs||S)Nr)�x�yrrr�<lambda>�sr��add)rz&Serving XML-RPC on localhost port 8000zKIt is advisable to run this example server within a secure, closed network.z&
Keyboard interrupt received, exiting.)T)r�r�).rSZ
xmlrpc.clientrrrrrZhttp.serverrr�r�r�r1r�r�rHr�ryZfcntl�ImportErrorrrrrTr�r�r�r�ZHTMLDocr�r�r�r�r�r$r�r�rur&�powr#r-r�Z
serve_forever�KeyboardInterrupt�exitrrrr�<module>fs`

,ErQ