我一直在尝试没有运气来创建无穷无尽的客户端实例链。
我正在开发一个asyncio应用程序,这个应用程序和许多其他东西一样,比如使用loop.create_server()运行服务器,需要每10秒连接一个服务器列表,发送一些数据然后断开连接。
我一直遇到2个错误:“runtimeError:事件循环正在运行。”或者“asyncio>任务已被破坏,但它正在等待!”
下面的代码可以使用。
import asyncio
from tcp.client import Client
def send_to_peers(data):
for index in range(1, 3): #this for-loop just for simulating a list of peers
try:
loop = asyncio.get_event_loop()
coro = loop.create_connection(lambda: Client(), '127.0.0.1', 10000 + index)
_, proto = loop.run_until_complete(coro)
msg = data + "-" + str(index) + "\n"
proto.transport.write(str.encode(msg))
proto.transport.close()
except ConnectionRefusedError as exc:
print(exc)
def infinite():
for index in range(5): #again this should be a While True:
#there should be here an asyncio.sleep(10)
send_to_peers(str(index))
infinite()
但是当我从main_loop调用它时,事情开始破裂。
async def infinite_loop():
for index in range(5):
print("loop n " + str(index))
task = asyncio.Task(send_to_peers(str(index)))
await asyncio.sleep(10)
task.cancel()
with suppress(asyncio.CancelledError):
await task
main_loop = asyncio.get_event_loop()
main_loop.run_until_complete(infinite_loop())
main_loop.run_forever()
我试图将main_loop提供给send_to_peers,将其提供给Client(循环)类,我试图弯腰&关闭循环,删除任务,使用ensure_future的奇怪组合,但没有任何作用。
我尽可能多地用Google搜索,我认为嵌套无限循环并不好,但我没有找到任何其他方法。
我最后的希望是使用线程,但即使我认为它会起作用,它也不是一个优雅的解决方案,也不是正确的解决方案。
我习惯和Node一起工作所以请原谅我,如果我犯了一个愚蠢的错误,我想在2周之后我能做到但是我在这里。
我真的很感激任何帮助。我被卡住了。谢谢!
PS: Client()类非常基础:
import asyncio
import logging
import sys
logging.basicConfig(
level=logging.DEBUG,
format='%(name)s > %(message)s',
stream=sys.stderr
)
class Client(asyncio.Protocol):
def __init__(self):
self.log = logging.getLogger('client')
self.address = None
self.transport = None
def connection_made(self, transport):
self.transport = transport
self.address = transport.get_extra_info('peername')
self.log.debug('{}:{} connected'.format(*self.address))
def data_received(self, data):
self.log.debug('{}:{} just sent {!r}'.format(*self.address, data))
def eof_received(self):
self.log.debug('{}:{} sent EOF'.format(*self.address))
def connection_lost(self, error=""):
self.log.debug('{}:{} disconnected'.format(*self.address))
self.transport.close()
答案 0 :(得分:0)
我一直遇到2个错误:“runtimeError:事件循环正在运行。”或者“asyncio>任务已被破坏,但它正在等待!”
正如您所发现的,asyncio事件循环do not nest。
要删除嵌套,您应使用send_to_peers
将async def
定义为协程。其内部loop.run_until_complete(coro)
应更改为await coro
。一旦send_to_peers
成为协同程序,您就可以调用它:
使用infinite
阻止代码loop.run_until_complete(send_to_peers(...))
使用infinite_loop
等await send_to_peers(...)
等异步代码。
如果是infinite_loop
,您可以使用asyncio.wait_for
实现超时:
try:
await asyncio.wait_for(send_to_peers(str(index)), 10)
except asyncio.TimeoutError:
# ... timeout ...