如何包装xmlrpc函数调用?

时间:2013-06-25 12:19:16

标签: python wrapper xml-rpc xmlrpcclient

我有一个简单的xmlrpc服务器定义为(server.py):

from SimpleXMLRPCServer import SimpleXMLRPCServer

def foo():
    return "foo"

server = SimpleXMLRPCServer(("localhost", 1025))
server.register_introspection_functions()
server.register_function(foo, 'test.foo')
server.serve_forever()

和客户端(client.py)实现如下:

import xmlrpclib

class XMLRPC(object):

    def __init__(self):
        self.xmlrpc = xmlrpclib.ServerProxy("http://localhost:1025/RPC2")

    def __getattr__(self, name):
        attr = getattr(self.xmlrpc, name)
        def wrapper(*args, **kwargs):
            result = attr(*args, **kwargs)
            return result
        return wrapper

xmlrpc = XMLRPC()
print xmlrpc.test.foo()

我想包装并执行对类xmlrpc中的XMLRPC服务器进行的每个调用。但上面的工作示例给出了错误

Traceback (most recent call last):
  File "client.py", line 20, in <module>
    xmlrpc.test.foo()
AttributeError: 'function' object has no attribute 'foo'

如何使此代码有效?

其他信息和限制:

  • 我已经尝试用wrapper包裹functools.wraps(attr)而没有成功。由于字符串attr没有属性__name__,我得到了不同的错误
  • 我可以更改server.py中定义的任何内容。
  • 以上示例完全正常。
  • return wrapper替换return attr不是解决方案 - 我需要在xmlrpc内执行实际wrapper来电。
  • 我需要一个没有第三方库的简单解决方案,标准的python库是可以的。

1 个答案:

答案 0 :(得分:4)

您需要返回一个可调用对象。

XML-RPC代理返回一个可调用的对象实例,但也可以遍历。因此,对于xmlrpc.test.foo(),您将xmlrpc.test包装在函数中;该函数对象没有foo属性,因为函数通常没有这样的属性。

返回代理对象; __call__钩子使它成为一个可调用的对象,就像函数一样:

class WrapperProxy(object):
    def __init__(self, wrapped):
        self.wrapped = wrapped

    def __getattr__(self, name):
        attr = getattr(self.wrapped, name)
       return type(self)(attr)

    def __call__(self, *args, **kw):
        return self.wrapped(*args, **kw)

class XMLRPC(object):
    def __init__(self):
        self.xmlrpc = xmlrpclib.ServerProxy("http://localhost:1025/RPC2")

    def __getattr__(self, name):
        attr = getattr(self.xmlrpc, name)
        return WrapperProxy(attr)

或合并为一个对象:

class XMLRPCWrapperProxy(object):
    def __init__(self, wrapped=None):
        if wrapped is None: 
            wrapped = xmlrpclib.ServerProxy("http://localhost:1025/RPC2")
        self.wrapped = wrapped

    def __getattr__(self, name):
        attr = getattr(self.wrapped, name)
       return type(self)(attr)

    def __call__(self, *args, **kw):
        return self.wrapped(*args, **kw)