- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我的问题是我有用于事件监听的脚本。连接到服务器后,事件监听开始循环。因此,在函数 main 中连接服务器后,我创建了循环
loop = asyncio.get_event_loop()
asyncio.ensure_future(monitor(ts3conn, dbconn))
loop.run_forever()
现在,当我收到任何事件时,检查 if 语句,如果有 True,我必须等待函数或创建新任务?我想要异步 3 个函数,1 个主要函数,一直监听,以及当有人写入消息/加入 channel 时将创建的附加内容,在此脚本中,当 30 个用户加入 channel 777 时,asyncio 仍然无法工作(如果 777 == int(event ['ctid']):) 同时有人会加入 channel 904 (如果 904 == int(event['ctid']):),最后一个人必须等到 30 个用户得到服务(我希望你理解)
我的代码:
import ts3
import time
import logging
import json
import pymysql.cursors
import pymysql
import asyncio
from logging.handlers import RotatingFileHandler
def main():
with ts3.query.TS3ServerConnection(URI) as ts3conn:
# connect to server instance, update name and go to specific channel
ts3conn.exec_("use", sid=SID)
ts3conn.exec_("clientupdate", client_nickname=CLIENT_NAME)
myclid = ts3conn.exec_("whoami")[0]["client_id"]
ts3conn.exec_("clientmove", clid=myclid, cid=JOIN_CHANNEL_ID)
ts3conn.exec_("servernotifyregister", event="server")
ts3conn.exec_("servernotifyregister", event="channel", id=0)
ts3conn.exec_("servernotifyregister", event="textprivate")
dbconn = pymysql.connect(host='localhost', user='root', password='', db='teamspeak')
loop = asyncio.get_event_loop()
asyncio.ensure_future(monitor(ts3conn, dbconn))
loop.run_forever()
# Function handling the events and initiating activity logs
async def monitor(ts3conn, dbconn):
# register for all events in server wide chat
ts3conn.exec_("servernotifyregister", event="server")
ts3conn.exec_("servernotifyregister", event="channel", id=0)
ts3conn.exec_("servernotifyregister", event="textprivate")
ts3conn.send_keepalive()
while True:
try:
event = ts3conn.wait_for_event(timeout=10)[0]
except ts3.query.TS3TimeoutError:
ts3conn.send_keepalive()
else:
await asyncio.sleep(0.001)
print(event)
# ============= IF JOIN CHANNEL ===================
if "ctid" in event.keys() and "clid" in event.keys() and int(event['ctid']) != 0:
if 777 == int(event['ctid']):
asyncio.create_task(first(ts3conn, dbconn, event['clid']))
#ts3conn.exec_("clientkick", reasonid=4, clid=event['clid'])
if 904 == int(event['ctid']):
asyncio.create_task(second(ts3conn, dbconn, event['clid']))
#ts3conn.exec_("clientkick", reasonid=4, clid=event['clid'])
# ============= IF SEND MSG ===================
if "msg" in event.keys() and "invokeruid" in event.keys() and 'serveradmin' not in str(event['invokeruid']):
if event['msg'] == "!info":
print("info")
asyncio.create_task(first(ts3conn, dbconn, event['invokerid']))
async def first(ts3conn, dbconn, uid):
try:
print("first")
user = ts3conn.exec_("clientinfo", clid=uid)
if any(i in user[0]['client_servergroups'] for i in REG):
try:
sql = "SELECT * FROM users WHERE uid=%s"
cursor = dbconn.cursor()
cursor.execute(sql, (user[0]['client_unique_identifier']))
c = cursor.fetchone()
ts3conn.exec_("sendtextmessage", targetmode="1", target=uid, msg=f"register: {c}")
except KeyError as e:
print(e)
else:
ts3conn.exec_("sendtextmessage", targetmode="1", target=uid, msg=f"not register")
except KeyError as e:
print(f"keyerror: {e}")
async def second(ts3conn, dbconn, uid):
try:
user = ts3conn.exec_("clientinfo", clid=uid)
if any(i in user[0]['client_servergroups'] for i in REG):
try:
sql = "SELECT * FROM users WHERE uid=%s"
cursor = dbconn.cursor()
cursor.execute(sql, (user[0]['client_unique_identifier']))
c = cursor.fetchone()
ts3conn.exec_("sendtextmessage", targetmode="1", target=uid, msg=f"1 out: {c}")
except KeyError as e:
print(e)
else:
ts3conn.exec_("sendtextmessage", targetmode="1", target=uid, msg=f"321123321321132")
except KeyError as e:
print(f"keyerror: {e}")
if __name__ == "__main__":
with open('config.json') as config_file:
config = json.load(config_file)
try:
SQLDATABASE = config["sqldatabase"]
DATABASE = config["sqldatabase"]
URI = config["uri"]
SID = config["sid"]
CLIENT_NAME = config["client_name"]
JOIN_CHANNEL_ID = config["join_channel_id"]
REG = config['zarejeya']
if config["log_level"] == "CRITICAL":
LOG_LEVEL = logging.CRITICAL
elif config["log_level"] == "ERROR":
LOG_LEVEL = logging.ERROR
elif config["log_level"] == "WARNING":
LOG_LEVEL = logging.WARNING
elif config["log_level"] == "INFO":
LOG_LEVEL = logging.INFO
elif config["log_level"] == "DEBUG":
LOG_LEVEL = logging.DEBUG
else:
LOG_LEVEL = logging.NOTSET
except:
print("Error parsing config")
raise
log_formatter = logging.Formatter("%(asctime)s - %(funcName)s - %(levelname)s - %(message)s")
log_handler = RotatingFileHandler("ts3bot.log", mode='a', maxBytes=50 * 1024 * 1024, backupCount=2)
log_handler.setFormatter(log_formatter)
log_handler.setLevel(LOG_LEVEL)
# noinspection PyRedeclaration
logger = logging.getLogger("root")
logger.setLevel(LOG_LEVEL)
logger.addHandler(log_handler)
while True:
try:
main()
except Exception:
logger.exception("Exception occurred and connection is closed")
logger.info("Trying to restart in 30s")
time.sleep(30)
我需要这样的不和谐机器人: https://tutorials.botsfloor.com/a-discord-bot-with-asyncio-359a2c99e256但我无法到达这里...
最佳答案
调用 await()
将使当前协程暂停,并且只有在返回等待的 coro 时才会恢复。
在您的代码中,monitor
协程将串行处理传入的事件。因此,如果发生任何事件,监视器将等待 first()/second()
coros,这将使monitor
coro再次暂停...所以这是同步的..异步没有真正的好处..相反它使性能更差..
事件处理协程,first()
和second()
可以转换为任务。您可以使用asyncio.create_task()
将协程包装到任务中。这将被安排在轮到它时在同一事件循环中执行。并且在任务执行时调用 coro(int this case, monitor()
) 不会被挂起。任务本身是一个 awaitable
,因此在任务将使被调用者暂停。
也许,您可能想保存创建的任务(在 create_task() 期间返回)以供以后的操作使用。例如停止它、等待它......
await task # To await for the task to complete, suspends to current coro.
如果你想取消一个事件的任务,那么该任务将抛出一个CancelledError,这个错误必须妥善处理。
示例:
async def stop_task(task):
if not task:
return
task.cancel()
try:
await task
except asyncio.CancelledError:
pass
关于python - Asyncio 循环等待事件,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/57741204/
我正在我的一个项目中使用 aiohttp 并想限制每秒发出的请求数。我正在使用 asyncio.Semaphore 来做到这一点。我的挑战是我可能想要增加/减少每秒允许的请求数。 例如: limit
如何混合 async with api.open() as o: ... 和 o = await api.open() 在一个功能中? 自从第一次需要带有 __aenter__ 的对象以来和
有 2 个工作:“wash_clothes”(job1) 和“setup_cleaning_robot”(job2),每个工作需要你 7 和 3 秒,你必须做到世界末日。 这是我的代码: import
我们有一种设置线程名称的方法:thread = threading.Thread(name='Very important thread', target=foo),然后在格式化程序中使用 %(thr
我有一些代码,用于抓取 URL、解析信息,然后使用 SQLAlchemy 将其放入数据库中。我尝试异步执行此操作,同时限制同时请求的最大数量。 这是我的代码: async def get_url(ai
1>Python Asyncio 未使用 asyncio.run_coroutine_threadsafe 运行新的协程。下面是在Mac上进行的代码测试。 ——————————————————————
asyncio.gather和 asyncio.wait似乎有类似的用途:我有一堆我想要执行/等待的异步事情(不一定要在下一个开始之前等待一个完成)。它们使用不同的语法,并且在某些细节上有所不同,但对
我正在尝试使用 asyncio 运行以下程序: import asyncio async def main(): print('Hello') await asyncio.sleep(
我正在尝试在事件循环之外使用协程函数。 (在这种情况下,我想在 Django 中调用一个也可以在事件循环中使用的函数) 如果不使调用函数成为协程,似乎没有办法做到这一点。 我意识到 Django 是为
我有一个假设 asyncio.gather设想: await asyncio.gather( cor1, [cor2, cor3], cor4, ) 我要 cor2和 cor3
我有多个服务器,每个服务器都是 asyncio.start_server 返回的实例。我需要我的 web_server 与 websockets 一起使用,以便能够使用我的 javascript 客户
我正在使用 Python 3 asyncio 框架评估定期执行的不同模式(为简洁起见省略了实际 sleep /延迟),我有两段代码表现不同,我无法解释原因。第一个版本使用 yield from 递归调
从事件线程外部将协程推送到事件线程的 pythonic 方法是什么? 最佳答案 更新信息: 从Python 3.7 高级函数asyncio.create_task(coro)开始was added并且
我有一个大型 (1M) 数据库结果集,我想为其每一行调用一个 REST API。 API 可以接受批处理请求,但我不确定如何分割 rows 生成器,以便每个任务处理一个行列表,比如 10。我宁愿不预先
迷失在异步中。 我同时在学习Kivy和asyncio,卡在了解决运行Kivy和运行asyncio循环的问题上,无论怎么转,都是阻塞调用,需要顺序执行(好吧,我希望我是错的),例如 loop = asy
我有这个 3.6 异步代码: async def send(command,userPath,token): async with websockets.connect('wss://127.
首先,我需要警告你:我是 asyncio 的新手,而且我是 我马上警告你,我是 asyncio 的新手,我很难想象引擎盖下的库里有什么。 这是我的代码: import asyncio semaphor
我有一个asyncio.PriorityQueue,用作网络爬虫的URL队列,当我调用url_queue.get时,得分最低的URL首先从队列中删除()。当队列达到 maxsize 项时,默认行为是阻
探索 Python 3.4.0 的 asyncio 模块,我试图创建一个类,其中包含从类外部的 event_loop 调用的 asyncio.coroutine 方法。 我的工作代码如下。 impor
我有一个可能是无用的问题,但尽管如此,我还是觉得我错过了一些对于理解 asyncio 的工作方式可能很重要的东西。 我刚刚开始熟悉 asyncio 并编写了这段非常基本的代码: import asyn
我是一名优秀的程序员,十分优秀!