• 技术文章 >常见问题 >Python常见问题

    python为什么可以多线程

    (*-*)浩(*-*)浩2019-08-29 15:26:56原创2396
    由于线程是操作系统直接支持的执行单元,因此,高级语言通常都内置多线程的支持,Python也不例外,并且,Python的线程是真正的Posix Thread,而不是模拟出来的线程。

    Python的标准库提供了两个模块:_thread和threading,_thread是低级模块,threading是高级模块,对_thread进行了封装。绝大多数情况下,我们只需要使用threading这个高级模块。

    启动一个线程就是把一个函数传入并创建Thread实例,然后调用start()开始执行:

    1

    2

    3

    4

    5

    6

    7

    8

    9

    10

    11

    12

    13

    14

    import time, threading# 新线程执行的代码:def loop():

        print('thread %s is running...' % threading.current_thread().name)

        n = 0

        while n < 5:

            n = n + 1

            print('thread %s >>> %s' % (threading.current_thread().name, n))

            time.sleep(1)

        print('thread %s ended.' % threading.current_thread().name)

     

    print('thread %s is running...' % threading.current_thread().name)

    t = threading.Thread(target=loop, name='LoopThread')

    t.start()

    t.join()

    print('thread %s ended.' % threading.current_thread().name)

    执行结果如下:

    1

    2

    3

    4

    5

    6

    7

    8

    9

    thread MainThread is running...

    thread LoopThread is running...

    thread LoopThread >>> 1

    thread LoopThread >>> 2

    thread LoopThread >>> 3

    thread LoopThread >>> 4

    thread LoopThread >>> 5

    thread LoopThread ended.

    thread MainThread ended.

    由于任何进程默认就会启动一个线程,我们把该线程称为主线程,主线程又可以启动新的线程,Python的threading模块有个current_thread()函数,它永远返回当前线程的实例。

    主线程实例的名字叫MainThread,子线程的名字在创建时指定,我们用LoopThread命名子线程。

    名字仅仅在打印时用来显示,完全没有其他意义,如果不起名字Python就自动给线程命名为Thread-1,Thread-2……

    专题推荐:python
    上一篇:如何执行python程序 下一篇:python如何判断变量的数据类型

    相关文章推荐

    • python为什么要用线程• python用什么编译器• python中list有哪些方法• python矩阵怎么写

    全部评论我要评论

    © 2021 Python学习网 苏ICP备2021003149号-1

  • 取消发布评论
  • 

    Python学习网