我正在使用cherrypy服务器从python客户端通过pyAMF频道接收请求。我从下面的模拟开始,它工作正常:
服务器:
import cherrypy
from pyamf.remoting.gateway.wsgi import WSGIGateway
def echo(*args, **kwargs):
return (args, kwargs)
class Root(object):
def index(self):
return "running"
index.exposed = True
services = {
'myService.echo': echo,
}
gateway = WSGIGateway(services, debug=True)
cherrypy.tree.graft(gateway, "/gateway/")
cherrypy.quickstart(Root())
客户端:
from pyamf.remoting.client import RemotingService
path = 'http://localhost:8080/gateway/'
gw = RemotingService(path)
service = gw.getService('myService')
print service.echo('one=1, two=3')
结果: [[u'one = 1,two = 3'],{}]
现在如果不是:
def echo(*args, **kwargs):
return (args, kwargs)
我用:
def echo(**kwargs):
return kwargs
并发送相同的请求,我收到以下错误:
TypeError:echo()只取0个参数(给定1个)
同时:
>>> def f(**kwargs): return kwargs
...
>>> f(one=1, two=3)
{'two': 3, 'one': 1}
>>>
问题:为什么会这样?请分享见解
我正在使用:python 2.5.2,cherrypy 3.1.2,pyamf 0.5.1
答案 0 :(得分:2)
请注意,使用您的第一个echo函数,获得结果的唯一方法是以这种方式调用它:
echo(u"one=1, two=3")
# in words: one unicode string literal, as a positional arg
# *very* different from:
echo(one=1, two=3) # which seems to be what you expect
因此,您必须编写echo以接受位置参数或更改其调用方式。
答案 1 :(得分:1)
默认情况下,WSGIGateway设置expose_request=True
,这意味着WSGI环境设置被设置为该网关中任何服务方法的第一个参数。
这意味着echo应写为:
def echo(environ, *args):
return args
PyAMF提供了一个装饰器,即使expose_request=False
也可以强制公开请求,例如:
from pyamf.remoting.gateway import expose_request
from pyamf.remoting.gateway.wsgi import WSGIGateway
@expose_request
def some_service_method(request, *args):
return ['some', 'thing']
services = {
'a_service_method': some_service_method
}
gw = WSGIGateway(services, expose_request=False)
希望澄清您在这种情况下获得TypeError
的原因。
您正确地指出您无法在PyAMF客户端/服务器调用中直接提供** kwargs,但您可以使用默认命名参数:
def update(obj, force=False):
pass
然后您可以访问该服务:
from pyamf.remoting.client import RemotingService
path = 'http://localhost:8080/gateway/'
gw = RemotingService(path)
service = gw.getService('myService')
print service.update('foo', True)