zoukankan      html  css  js  c++  java
  • python线程的几种创建方式

    Python3 线程中常用的两个模块为:

    • _thread
    • threading(推荐使用)

    使用Thread类创建

    import threading
    from time import sleep,ctime
    
    def sing():
        for i in range(3):
            print("正在唱歌...%d"%i)
            sleep(1)
    
    def dance():
        for i in range(3):
            print("正在跳舞...%d"%i)
            sleep(1)
    
    if __name__ == '__main__':
        print('---开始---:%s'%ctime())
    
        t1 = threading.Thread(target=sing)
        t2 = threading.Thread(target=dance)
    
        t1.start()
        t2.start()
    
        #sleep(5) # 屏蔽此行代码,试试看,程序是否会立马结束?
        print('---结束---:%s'%ctime())
    """
    输出结果:
    ---开始---:Sat Aug 24 08:44:21 2019
    正在唱歌...0
    正在跳舞...0---结束---:Sat Aug 24 08:44:21 2019
    正在唱歌...1
    正在跳舞...1
    正在唱歌...2
    正在跳舞...2
    """
    

    说明:主线程会等待所有的子线程结束后才结束

    使用Thread子类创建

    为了让每个线程的封装性更完美,所以使用threading模块时,往往会定义一个新的子类class,只要继承threading.Thread就可以了,然后重写run方法。

    import threading
    import time
    
    class MyThread(threading.Thread):
        def run(self):
            for i in range(3):
                time.sleep(1)
                msg = "I'm "+self.name+' @ '+str(i) #name属性中保存的是当前线程的名字
                print(msg)
    
    
    if __name__ == '__main__':
        t = MyThread()
        t.start()
    """
    输出结果:
    I'm Thread-5 @ 0
    I'm Thread-5 @ 1
    I'm Thread-5 @ 2
    """
    

    使用线程池ThreadPoolExecutor创建

    from concurrent.futures import ThreadPoolExecutor
    import time
    import os
    
    
    def sayhello(a):
        for i in range(10):
            time.sleep(1)
            print("hello: " + a)
    
    
    def main():
        seed = ["a", "b", "c"]
        # 最大线程数为3,使用with可以自动关闭线程池,简化操作
        with ThreadPoolExecutor(3) as executor:
            for each in seed: 
            	# map可以保证输出的顺序, submit输出的顺序是乱的
                executor.submit(sayhello, each)
    
        print("主线程结束")
    
    
    if __name__ == '__main__':
        main()
    
  • 相关阅读:
    java把指定文字输出为图片流,支持文字换行
    java根据图片和文字生成自定义图片
    eclipse中10个最有用的快捷键组合
    关于版本号:alpha、beta、rc、stable
    Maven内置属性及使用
    Linux终端执行shell脚本,提示权限不够的解决办法
    执行tsung时报"Maximum number of concurrent users in a single VM reached
    SSIS连接SAPBI
    SharePoint 2013连接非默认端口的SQL Server
    SQL Server数据库损坏、检测以及简单的修复办法
  • 原文地址:https://www.cnblogs.com/lxy0/p/11403555.html
Copyright © 2011-2022 走看看