我有一个事件驱动的聊天机器人,我正在尝试实施垃圾邮件防护。我想让一段时间内表现不佳的用户沉默,而不会阻止应用程序的其余部分。
这是不起作用的:
if user_behaving_badly():
ban( user )
time.sleep( penalty_duration ) # Bad! Blocks the entire application!
unban( user )
理想情况下,如果user_behaving_badly()为true,我想启动一个新的线程,除了禁止用户之外什么都不做,然后睡一会儿,解开用户,然后线程消失。
According to this我可以使用以下内容完成目标:
if user_behaving_badly():
thread.start_new_thread( banSleepUnban, ( user, penalty ) )
“简单”通常是“好”的指标,这很简单,但我听到的关于线程的一切都说他们会以意想不到的方式咬你。我的问题是:有没有比这更好的方法来运行一个简单的延迟循环而不会阻塞应用程序的其余部分?
答案 0 :(得分:5)
而不是为每个禁令启动一个线程,将禁令放在优先级队列中并让一个线程执行睡眠和取消禁止
这段代码使两个结构成为一个heapq,它允许它快速找到最快的禁用期限和一个dict,以便快速检查用户是否被名称禁止
import time
import threading
import heapq
class Bans():
def __init__(self):
self.lock = threading.Lock()
self.event = threading.Event()
self.heap = []
self.dict = {}
self.thread = threading.thread(target=self.expiration_thread)
self.thread.setDaemon(True)
self.thread.start()
def ban_user(self, name, duration):
with self.lock:
now = time.time()
expiration = (now+duration)
heapq.heappush(self.heap, (expiration, user))
self.dict[user] = expiration
self.event.set()
def is_user_banned(self, user):
with self.lock:
now = time.time()
return self.dict.get(user, None) > now
def expiration_thread(self):
while True:
self.event.wait()
with self.lock:
next, user = self.heap[0]
now = time.time()
duration = next-now
if duration > 0:
time.sleep(duration)
with self.lock:
if self.heap[0][0] = next:
heapq.heappop(self.heap)
del self.dict(user)
if not self.heap:
self.event.clear()
并使用如下:
B = Bans()
B.ban_user("phil", 30.0)
B.is_user_banned("phil")
答案 1 :(得分:3)
为什么选择线程?
do_something(user):
if(good_user(user)):
# do it
else
# don't
good_user():
if(is_user_baned(user)):
if(past_time_since_ban(user)):
user_good_user(user)
elif(is_user_bad()):
ban_user()
ban_user(user):
# add a user/start time to a hash
is_user_banned()
# check hash
# could check if expired now too, or do it seperately if you care about it
is_user_bad()
# check params or set more values in a hash
答案 2 :(得分:2)
使用线程timer object,如下所示:
t = threading.Timer(30.0, unban)
t.start() # after 30 seconds, unban will be run
然后只有unban在线程中运行。
答案 3 :(得分:0)
这是语言无关的,但考虑一个跟踪内容的线程。该线程在表中保留一个类似“username”和“banned_until”的数据结构。线程总是在后台运行检查表,如果banned_until过期,它将解锁用户。其他线程正常进行。
答案 4 :(得分:0)
如果您使用的是GUI, 大多数GUI模块都有一个定时器功能,它可以抽象所有yuck多线程的东西, 并在给定时间后执行代码, 虽然仍然允许执行其余的代码。
例如,Tkinter具有'after'功能。