各位晚上好。我对这个地方并不陌生,但最后决定注册并寻求帮助。我使用Quart框架(异步Flask)开发Web应用程序。现在随着应用程序变得越来越大,越来越复杂,我决定将不同的程序分离到不同的服务器实例,这主要是因为我希望保持Web服务器清洁,更抽象,没有计算负载。 所以我打算使用一个带有一些(如果需要)相同程序服务器的Web服务器。所有服务器都基于夸脱框架,现在只是为了简化开发。我决定使用Crossbar.io路由器和高速公路将所有服务器连接在一起。
这里出现了问题。我关注这个帖子:
Running several ApplicationSessions non-blockingly using autbahn.asyncio.wamp
How can I implement an interactive websocket client with autobahn asyncio?
How I can integrate crossbar client (python3,asyncio) with tkinter
How to send Autobahn/Twisted WAMP message from outside of protocol?
好像我在我的Quart应用程序中尝试了所有可能的方法来实现autobahn websocket客户端。我不知道如何让它成为可能,所以这两件事都有效,Quart应用程序是否正常,但是高速公路WS客户端没有,反之亦然。
简化我的夸脱应用程序看起来像这样:
from quart import Quart, request, current_app
from config import Config
# Autobahn
import asyncio
from autobahn import wamp
from autobahn.asyncio.wamp import ApplicationSession, ApplicationRunner
import concurrent.futures
class Component(ApplicationSession):
"""
An application component registering RPC endpoints using decorators.
"""
async def onJoin(self, details):
# register all methods on this object decorated with "@wamp.register"
# as a RPC endpoint
##
results = await self.register(self)
for res in results:
if isinstance(res, wamp.protocol.Registration):
# res is an Registration instance
print("Ok, registered procedure with registration ID {}".format(res.id))
else:
# res is an Failure instance
print("Failed to register procedure: {}".format(res))
@wamp.register(u'com.mathservice.add2')
def add2(self, x, y):
return x + y
def create_app(config_class=Config):
app = Quart(__name__)
app.config.from_object(config_class)
# Blueprint registration
from app.main import bp as main_bp
app.register_blueprint(main_bp)
print ("before autobahn start")
with concurrent.futures.ThreadPoolExecutor(max_workers=5) as executor:
runner = ApplicationRunner('ws://127.0.0.1:8080 /ws', 'realm1')
future = executor.submit(runner.run(Component))
print ("after autobahn started")
return app
from app import models
在这种情况下,应用程序停留在转轮循环中并且整个应用程序不起作用(无法提供请求),只有当我通过Ctrl-C中断跑步者(高速公路)循环时才有可能。
启动后的CMD:
(quart-app) user@car:~/quart-app$ hypercorn --debug --error-log - --access-log - -b 0.0.0.0:8001 tengine:app
Running on 0.0.0.0:8001 over http (CTRL + C to quit)
before autobahn start
Ok, registered procedure with registration ID 4605315769796303
按ctrl-C后:
...
^Cafter autobahn started
2019-03-29T01:06:52 <Server sockets=[<socket.socket fd=11, family=AddressFamily.AF_INET, type=SocketKind.SOCK_STREAM, proto=0, laddr=('0.0.0.0', 8001)>]> is serving
如何能够以非阻塞的方式与高速公路客户一起工作夸脱应用?所以高速公路打开并保持websocket连接到Crossbar路由器并静静地听背景。
好吧,经过许多不眠之夜,我终于找到了解决这个难题的好方法。
感谢这篇文章C-Python asyncio: running discord.py in a thread
所以,我重写了这样的代码,并且能够运行我的Quart应用程序与autobahn客户端,并且两者都积极地以非阻塞方式工作。整个__init__.py
看起来像:
from quart import Quart, request, current_app
from config import Config
def create_app(config_class=Config):
app = Quart(__name__)
app.config.from_object(config_class)
# Blueprint registration
from app.main import bp as main_bp
app.register_blueprint(main_bp)
return app
# Autobahn
import asyncio
from autobahn import wamp
from autobahn.asyncio.wamp import ApplicationSession, ApplicationRunner
import threading
class Component(ApplicationSession):
"""
An application component registering RPC endpoints using decorators.
"""
async def onJoin(self, details):
# register all methods on this object decorated with "@wamp.register"
# as a RPC endpoint
##
results = await self.register(self)
for res in results:
if isinstance(res, wamp.protocol.Registration):
# res is an Registration instance
print("Ok, registered procedure with registration ID {}".format(res.id))
else:
# res is an Failure instance
print("Failed to register procedure: {}".format(res))
def onDisconnect(self):
print('Autobahn disconnected')
@wamp.register(u'com.mathservice.add2')
def add2(self, x, y):
return x + y
async def start():
runner = ApplicationRunner('ws://127.0.0.1:8080/ws', 'realm1')
await runner.run(Component) # use client.start instead of client.run
def run_it_forever(loop):
loop.run_forever()
asyncio.get_child_watcher() # I still don't know if I need this method. It works without it.
loop = asyncio.get_event_loop()
loop.create_task(start())
print('Starting thread for Autobahn...')
thread = threading.Thread(target=run_it_forever, args=(loop,))
thread.start()
print ("Thread for Autobahn has been started...")
from app import models
在这种情况下,我们使用autobahn的runner.run创建任务并将其附加到当前循环,然后在新线程中永远运行此循环。
我对当前的解决方案非常满意....但后来发现这个解决方案有一些缺点,这对我来说至关重要,例如:如果连接断开则重新连接(即交叉开关路由器变得不可用)。使用此方法,如果连接未能在一段时间后初始化或丢弃,则不会尝试重新连接。另外对我来说,如何使用ApplicationSession API并不明显,即从我的quart应用程序中的代码注册/调用RPC。
幸运的是,我发现了autobahn在其文档中使用的另一个新组件API:https://autobahn.readthedocs.io/en/latest/wamp/programming.html#registering-procedures https://github.com/crossbario/autobahn-python/blob/master/examples/asyncio/wamp/component/backend.py
它具有自动重新连接功能,使用装饰器@component.register('com.something.do')
很容易为RPC注册功能,你只需要import component
。
所以这是__init__.py
解决方案的最终视图:
from quart import Quart, request, current_app
from config import Config
def create_app(config_class=Config):
...
return app
from autobahn.asyncio.component import Component, run
from autobahn.wamp.types import RegisterOptions
import asyncio
import ssl
import threading
component = Component(
transports=[
{
"type": "websocket",
"url": u"ws://localhost:8080/ws",
"endpoint": {
"type": "tcp",
"host": "localhost",
"port": 8080,
},
"options": {
"open_handshake_timeout": 100,
}
},
],
realm=u"realm1",
)
@component.on_join
def join(session, details):
print("joined {}".format(details))
async def start():
await component.start() #used component.start() instead of run([component]) as it's async function
def run_it_forever(loop):
loop.run_forever()
loop = asyncio.get_event_loop()
#asyncio.get_child_watcher() # I still don't know if I need this method. It works without it.
asyncio.get_child_watcher().attach_loop(loop)
loop.create_task(start())
print('Starting thread for Autobahn...')
thread = threading.Thread(target=run_it_forever, args=(loop,))
thread.start()
print ("Thread for Autobahn has been started...")
from app import models
我希望它会对某人有所帮助。干杯!