基于此answer,我能够创建和部署2个Web服务。但是,如果一个服务试图调用另一个服务,它会在那里挂起,直到超时。
我的代码是:
from wsgiref.simple_server import make_server
from spyne.application import Application
from spyne.protocol.soap import Soap11
from spyne.util.wsgi_wrapper import WsgiMounter
from suds.client import Client
from spyne.decorator import srpc
from spyne.service import ServiceBase
from spyne.model.primitive import Unicode
class Service_Caller(ServiceBase):
@srpc(_returns=Unicode)
def call_service():
client = Client("http://localhost:8000/hello?wsdl")
result = client.service.say_hello('world')
return result
class HelloWorldService(ServiceBase):
@srpc(Unicode, _returns=Unicode)
def say_hello(name):
return [u'Hello, %s' % name]
if __name__ == '__main__':
app1 = Application([Service_Caller], 'example1',
in_protocol=Soap11(), out_protocol=Soap11())
app2 = Application([HelloWorldService], 'example2',
in_protocol=Soap11(), out_protocol=Soap11())
wsgi_app = WsgiMounter({"caller":app1, "hello":app2})
server = make_server('0.0.0.0', 8000, wsgi_app)
server.serve_forever()
使用以下方式调用服务:
from suds.client import Client
client = Client('http://localhost:8000/caller?wsdl')
client.service.call_service()
目前,我的代码工作的唯一方法是在不同的域或不同的端口上部署2个服务。我想知道是否有人有同样的问题,并知道任何解决方法。感谢。
答案 0 :(得分:1)
这是因为你正在使用的WSGI实现(wsgiref
)。 wsgiref
只是一个参考Wsgi实现,不支持并发。对于生产用途,您应该切换到正确的wsgi容器,如mod_wsgi,CherryPy,twisted等,从不使用wsgiref
。
同样,我不能强调这一点,从不使用wsgiref
进行生产使用。
话虽如此,如果您只是想从另一个服务中调用一个服务,那么有更好的方法:
from spyne.util.appreg import get_application
app = get_application('example2', 'Application').null
print app.service.say_hello('world')
以下是完整的工作示例:
from spyne.application import Application
from spyne.protocol.soap import Soap11
from spyne.util.wsgi_wrapper import WsgiMounter
from spyne.decorator import srpc
from spyne.service import ServiceBase
from spyne.model.primitive import Unicode
from spyne.util.appreg import get_application
class Service_Caller(ServiceBase):
@srpc(_returns=Unicode)
def call_service():
# 'Application' is the default when you omit the `name` argument to the
# `Application` initializer.
app1 = get_application('example2', 'Application').null
result = '\n'.join(app1.service.say_hello('world'))
return result
class HelloWorldService(ServiceBase):
@srpc(Unicode, _returns=Unicode)
def say_hello(name):
return [u'Hello, %s' % name]
if __name__ == '__main__':
import logging
logging.basicConfig(level=logging.DEBUG)
app1 = Application([Service_Caller], 'example1',
in_protocol=Soap11(), out_protocol=Soap11())
app2 = Application([HelloWorldService], 'example2',
in_protocol=Soap11(), out_protocol=Soap11())
wsgi_app = WsgiMounter({"caller":app1, "hello":app2})
from wsgiref.simple_server import make_server
server = make_server('0.0.0.0', 8000, wsgi_app)
server.serve_forever()
我希望有所帮助。