python XML-RPC向服务器发送参数列表

时间:2012-06-06 13:56:16

标签: python xml-rpc rpc

我正在尝试发送一个列表(特别是numpy或python的列表)的数字,并使用xml-rpc获取它们的总和,以熟悉环境。我总是在客户端遇到错误。

<Fault 1: "<type 'exceptions.TypeError'>:unsupported operand type(s) for +: 'int' and 'list'">

服务器端代码:

from SimpleXMLRPCServer import SimpleXMLRPCServer
def calculateOutput(*w):
    return sum(w);

server = SimpleXMLRPCServer(("localhost", 8000))
print "Listening on port 8000..."
server.register_function(calculateOutput,"calculateOutput");
server.serve_forever()

客户端代码:

import xmlrpclib
proxy = xmlrpclib.ServerProxy("http://localhost:8000/")
print(proxy.calculateOutput([1,2,100]);

有谁知道如何解决这个问题?

1 个答案:

答案 0 :(得分:4)

proxy.calculateOutput([1,2,100])作为proxy.calculateOutput(1,2,100)发送,或将服务器端功能的参数从def calculateOutput(*w):更改为def calculateOutput(w):

顺便说一句,你不需要分号。

可以使用简短示例

来说明此行为的原因
>>> def a(*b):
>>>    print b

>>> a(1,2,3)
(1, 2, 3)
>>> a([1,2,3])
([1, 2, 3],)

正如你可以从输出中看到的那样,使用魔术asterix会将你传递给函数的许多参数打包为一个元组本身,这样它就可以处理n个参数。当您使用该语法时,当您通过已包含在列表中的参数发送时,它们会被进一步打包到元组中。 sum()只需要一个列表/元组作为参数,因此在尝试对包含列表求和时会收到错误。