如何使用无限循环的目标函数创建一个可停止的线程

前端之家收集整理的这篇文章主要介绍了如何使用无限循环的目标函数创建一个可停止的线程前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

假设我想在一个线程中运行一个名为run_forever()的函数,但是按Ctrl C仍然可以让它“停止”.我已经看到了使用threading.Thread的StoppableThread子类进行此操作的方法,但这些似乎将目标函数“复制”到该子类中.我想保持功能“它在哪里”.

请考虑以下示例:

  1. import time
  2. import threading
  3. def run_forever(): # An externally defined function which runs indefinitely
  4. while True:
  5. print("Hello,world!")
  6. time.sleep(1)
  7. class StoppableThread(threading.Thread):
  8. """Thread class with a stop() method. The thread itself has to check
  9. regularly for the stopped() condition."""
  10. def __init__(self,*args,**kwargs):
  11. super(StoppableThread,self).__init__(*args,**kwargs)
  12. self._stop = threading.Event()
  13. def stop(self):
  14. self._stop.set()
  15. def stopped(self):
  16. return self._stop.isSet()
  17. def run(self):
  18. while not self.stopped():
  19. run_forever() # This doesn't work
  20. # print("Hello,world!") # This does
  21. self._stop.wait(1)
  22. thread = StoppableThread()
  23. thread.start()
  24. time.sleep(5)
  25. thread.stop()

目标函数run_forever本身就是一个永不退出的while循环.但是,为了获得所需的行为,wait()命令必须在while循环中,正如我所理解的那样.

有没有办法在不修改run_forever()函数的情况下实现所需的行为?

最佳答案
我怀疑这是可能的.
顺便说一句,你有没有尝试过第二个解决方
您之前链接the post的ThreadWithExc?
如果循环繁忙的纯Python(例如没有睡眠),它可以工作,否则我会切换到多处理并杀死子进程.这是希望优雅退出代码(仅限* nix):

  1. from multiprocessing import Process
  2. from signal import signal,SIGTERM
  3. import time
  4. def on_sigterm(*va):
  5. raise SystemExit
  6. def fun():
  7. signal(SIGTERM,on_sigterm)
  8. try:
  9. for i in xrange(5):
  10. print 'tick',i
  11. time.sleep(1)
  12. finally:
  13. print 'graceful cleanup'
  14. if __name__=='__main__':
  15. proc = Process(target=fun)
  16. proc.start()
  17. time.sleep(2.5)
  18. proc.terminate()
  19. proc.join()

猜你在找的Python相关文章