有向用户显示的数据和处理它们的功能。每次用户与数据交互时,必须对所有数据运行该函数,并将结果显示给用户。这应该是多线程的,因此当函数需要很长时间处理时,没有用户交互延迟。
现在,我有2个线程共享List
,首先是以60fps运行opengl循环,显示List
的内容(不仅仅更改读数)。第二个是休眠,当用户与数据交互时,它会唤醒,运行函数并通过赋值操作将结果写入List
。如果用户在函数完成之前进行交互,则第二个线程会中断该函数并重新启动。以下是实施:
class RestartableThread(threading.Thread):
def __init__(self, input, output_list):
threading.Thread.__init__(self)
self.output = output_list
self.input = input
self._restart = threading.Event()
self._paused = threading.Event()
self._state = threading.Condition()
def restart(self, input):
with self._state:
self.input = input # get new input
self._restart.set()
self._paused.clear()
self._state.notify() # unblock self if in paused mode
def run(self):
while True:
with self._state:
if self._paused.is_set():
self._state.wait() # wait until notify() - the thread is paused
self._restart.clear()
self.function()
def function(self):
# start empty
result = []
for elem in self.input:
# end if restarted
if self._restart.is_set():
return
# do something with elem that takes time
result.append(elem)
# done
self.output = result
# enter sleep
with self._state:
self._paused.set() # enter sleep mode
return
这很好用,除了第一个线程的opengl循环的fps很好60但是当用户交互时它会在线程2工作时下降到20。是因为第二个线程与List
一起使用而线程1无法有效地从中读取吗?它上面没有线程锁。我试过..
# done
self.output = result.copy()
..所以该函数仅适用于列表的副本,但具有相同的fps丢弃行为。什么是最好的实现(队列可能)?