场景:

经常会遇到下述问题:很多io busy的应用采取多线程的方式来解决,但这时候会发现python命令行不响应ctrl-c 了,而对应的java代码则没有问题:

  1. public class Test {
  2. public static void main(String[] args) throws Exception {
  3. new Thread(new Runnable() {
  4. public void run() {
  5. long start = System.currentTimeMillis();
  6. while (true) {
  7. try {
  8. Thread.sleep(1000);
  9. } catch (Exception e) {
  10. }
  11. System.out.println(System.currentTimeMillis());
  12. if (System.currentTimeMillis() - start > 1000 * 100) break;
  13. }
  14. }
  15. }).start();
  16. }
  17. }

java Test

ctrl-c则会结束程序

而对应的python代码:

  1. # -*- coding: utf-8 -*-
  2. import time
  3. import threading
  4. start=time.time()
  5. def foreverLoop():
  6. start=time.time()
  7. while 1:
  8. time.sleep(1)
  9. print time.time()
  10. if time.time()-start>100:
  11. break
  12. thread_=threading.Thread(target=foreverLoop)
  13. #thread_.setDaemon(True)
  14. thread_.start()

python p.py

后ctrl-c则完全不起作用了。

不成熟的分析:

首先单单设置 daemon 为 true 肯定不行,就不解释了。当daemon为 false 时,导入python线程库后实际上,threading会在主线程执行完毕后,检查是否有不是 daemon 的线程,有的化就wait,等待线程结束了,在主线程等待期间,所有发送到主线程的信号也会被阻测,可以在上述代码加入signal模块验证一下:

  1. def sigint_handler(signum,frame):
  2. print "main-thread exit"
  3. sys.exit()
  4. signal.signal(signal.SIGINT,sigint_handler)

在100秒内按下ctrl-c没有反应,只有当子线程结束后才会出现打印 "main-thread exit",可见 ctrl-c被阻测了

threading 中在主线程结束时进行的操作:

  1. _shutdown = _MainThread()._exitfunc
  2. def _exitfunc(self):
  3. self._Thread__stop()
  4. t = _pickSomeNonDaemonThread()
  5. if t:
  6. if __debug__:
  7. self._note("%s: waiting for other threads", self)
  8. while t:
  9. t.join()
  10. t = _pickSomeNonDaemonThread()
  11. if __debug__:
  12. self._note("%s: exiting", self)
  13. self._Thread__delete()

对所有的非daemon线程进行join等待,其中join中可自行察看源码,又调用了wait,同上文分析 ,主线程等待到了一把锁上。

不成熟的解决:

只能把线程设成daemon才能让主线程不等待,能够接受ctrl-c信号,但是又不能让子线程立即结束,那么只能采用传统的轮询方法了,采用sleep间歇省点cpu吧:

  1. # -*- coding: utf-8 -*-
  2. import time,signal,traceback
  3. import sys
  4. import threading
  5. start=time.time()
  6. def foreverLoop():
  7. start=time.time()
  8. while 1:
  9. time.sleep(1)
  10. print time.time()
  11. if time.time()-start>5:
  12. break
  13. thread_=threading.Thread(target=foreverLoop)
  14. thread_.setDaemon(True)
  15. thread_.start()
  16. #主线程wait住了,不能接受信号了
  17. #thread_.join()
  18. def _exitCheckfunc():
  19. print "ok"
  20. try:
  21. while 1:
  22. alive=False
  23. if thread_.isAlive():
  24. alive=True
  25. if not alive:
  26. break
  27. time.sleep(1)
  28. #为了使得统计时间能够运行,要捕捉  KeyboardInterrupt :ctrl-c
  29. except KeyboardInterrupt, e:
  30. traceback.print_exc()
  31. print "consume time :",time.time()-start
  32. threading._shutdown=_exitCheckfunc

缺点:轮询总会浪费点cpu资源,以及battery.

有更好的解决方案敬请提出。

ps1: 进程监控解决方案 :

用另外一个进程来接受信号后杀掉执行任务进程,牛

  1. # -*- coding: utf-8 -*-
  2. import time,signal,traceback,os
  3. import sys
  4. import threading
  5. start=time.time()
  6. def foreverLoop():
  7. start=time.time()
  8. while 1:
  9. time.sleep(1)
  10. print time.time()
  11. if time.time()-start>5:
  12. break
  13. class Watcher:
  14. """this class solves two problems with multithreaded
  15. programs in Python, (1) a signal might be delivered
  16. to any thread (which is just a malfeature) and (2) if
  17. the thread that gets the signal is waiting, the signal
  18. is ignored (which is a bug).
  19. The watcher is a concurrent process (not thread) that
  20. waits for a signal and the process that contains the
  21. threads.  See Appendix A of The Little Book of Semaphores.
  22. http://greenteapress.com/semaphores/
  23. I have only tested this on Linux.  I would expect it to
  24. work on the Macintosh and not work on Windows.
  25. """
  26. def __init__(self):
  27. """ Creates a child thread, which returns.  The parent
  28. thread waits for a KeyboardInterrupt and then kills
  29. the child thread.
  30. """
  31. self.child = os.fork()
  32. if self.child == 0:
  33. return
  34. else:
  35. self.watch()
  36. def watch(self):
  37. try:
  38. os.wait()
  39. except KeyboardInterrupt:
  40. # I put the capital B in KeyBoardInterrupt so I can
  41. # tell when the Watcher gets the SIGINT
  42. print 'KeyBoardInterrupt'
  43. self.kill()
  44. sys.exit()
  45. def kill(self):
  46. try:
  47. os.kill(self.child, signal.SIGKILL)
  48. except OSError: pass
  49. Watcher()
  50. thread_=threading.Thread(target=foreverLoop)
  51. thread_.start()

 注意 watch()一定要放在线程创建前,原因未知。。。。,否则立刻就结束

python多线程ctrl-c退出问题的更多相关文章

  1. python多线程threading

    本文通过 4个example 介绍python中多线程package —— threading的常用用法, 包括调用多线程, 同步队列类Queue, Ctrl+c结束多线程. example1. 调用 ...

  2. [转]python 多线程threading简单分析

    多线程和多进程是什么自行google补脑 对于python 多线程的理解,我花了很长时间,搜索的大部份文章都不够通俗易懂.所以,这里力图用简单的例子,让你对多线程有个初步的认识. 单线程 在好些年前的 ...

  3. python多线程学习记录

    1.多线程的创建 import threading t = t.theading.Thread(target, args--) t.SetDeamon(True)//设置为守护进程 t.start() ...

  4. python多线程编程

    Python多线程编程中常用方法: 1.join()方法:如果一个线程或者在函数执行的过程中调用另一个线程,并且希望待其完成操作后才能执行,那么在调用线程的时就可以使用被调线程的join方法join( ...

  5. Python 多线程教程:并发与并行

    转载于: https://my.oschina.net/leejun2005/blog/398826 在批评Python的讨论中,常常说起Python多线程是多么的难用.还有人对 global int ...

  6. python 多线程就这么简单(转)

    多线程和多进程是什么自行google补脑 对于python 多线程的理解,我花了很长时间,搜索的大部份文章都不够通俗易懂.所以,这里力图用简单的例子,让你对多线程有个初步的认识. 单线程 在好些年前的 ...

  7. 【python,threading】python多线程

    使用多线程的方式 1.  函数式:使用threading模块threading.Thread(e.g target name parameters) import time,threading def ...

  8. Python多线程和Python的锁

    Python多线程 Python中实现多线程有两种方式,一种基于_thread模块(在Python2.x版本中为thread模块,没有下划线)的start_new_thread()函数,另一种基于th ...

  9. 【跟我一起学Python吧】Python 多线程

    其实自我感觉Python的多线程很类似于Java的多线程机制,但是比JAVA的多线程更灵活.在早期的Python多线程实现中,采用了thread模块.例如: from time import ctim ...

  10. 关于python多线程编程中join()和setDaemon()的一点儿探究

    关于python多线程编程中join()和setDaemon()的用法,这两天我看网上的资料看得头晕脑涨也没看懂,干脆就做一个实验来看看吧. 首先是编写实验的基础代码,创建一个名为MyThread的  ...

随机推荐

  1. Tomcat部署Web应用方法总结

    转载:http://m.blog.csdn.net/blog/u012516903/15741727 Tomcat部署Web应用方法总结 在Tomcat中部署Java Web应用程序有两种方式:静态部 ...

  2. ARM(ARM处理器)

    ARM是微处理器行业的一家英国公司,其设计了大量高性能.廉价.耗能低的RISC处理器.相关技术及软件,公司并不直接生产产品,而是采用出售芯片技术授权的商业模式盈利.技术具有性能高.成本低和能耗省特点. ...

  3. Android scrollview嵌套listview运行后最先显示出来的位置不在顶部而是中间问题

    scrollview里面嵌套了一个listview ,通过设置一个方法设置了listview的高度 现在的情况就是进到这个界面的时候看到的不是最上面 而是中间 ,该问题的解决办法为: mScrollV ...

  4. C语言全局未初始化数据段分析

    前言: 在分析C语言全局未初始化变量时,发现在目标文件中全局未初始化变量并不是直接放在bss段中. 再后来发现在两个.c文件中定义同名的全局变量,链接时居然没有发生符号重定义错误.才知道C语言弱定义的 ...

  5. cdev_init函数

    linux-2.6.22/include/linux/cdev.hstruct cdev {   struct kobject kobj;          // 每个 cdev 都是一个 kobje ...

  6. linq to Entity 数据库除了有主键还有唯一索引,是不是不能更新

    数据库建了一个唯一索引,使用linq to ef更新的时候,老是报,索引建冲突,,坑了我一上午,最后把索引删了

  7. Word 中没有Endnote工具栏的解决方法

    环境:Windows XP + Word 2003 + EndNote 6 以下各方法可以依次试一下,需要重启Word后才能看到是否可行.1 视图 -- 工具栏 -- EndNote,是否打勾.2 w ...

  8. Android移动应用开发中常见的经验技巧总结

    转:http://wwwdevstorecn/essay/essayInfo/6128.html 1. 对话保持的解决方案. 要求: 1.app中使用webview访问具体网站的内容,但是app与服务 ...

  9. [UESTC1059]秋实大哥与小朋友(线段树, 离散化)

    题目链接:http://acm.uestc.edu.cn/#/problem/show/1059 普通线段树+离散化,关键是……离散化后建树和查询都要按照基本法!!!RE了不知道多少次………………我真 ...

  10. 学习Hadoop不错的系列文章

    1)Hadoop学习总结 (1)HDFS简介 (2)HDFS读写过程解析 (3)Map-Reduce入门 (4)Map-Reduce的过程解析 (5)Hadoop的运行痕迹 (6)Apache Had ...