Python3 多線程
python3 多線程
python 支持多線程編程。線程(thread)是操作系統能夠進行運算調度的最小單位。它包含在進程之中,是進程中的實際調度單位。
一個進程中可以并發多個線程,每條線程并行執行不同的任務。但是線程不能夠獨立執行,必須依存在應用程序中,由應用程序提供多個線程執行控制。
線程分類
- 內核線程:由操作系統內核創建和撤銷。
- 用戶線程:不需要內核支持而在用戶程序中實現的線程。
python3 線程中常用的兩個模塊
- _thread
- threading(推薦使用)
thread 模塊已被廢棄。用戶可以使用 threading 模塊代替。所以,在 python3 中不能再使用"thread" 模塊。為了兼容性,python3 將 thread 重命名為 "_thread"。
開始學習python線程
python中使用線程有兩種方式:函數或者用類來包裝線程對象。
函數式:調用 _thread 模塊中的start_new_thread()函數來產生新線程。語法如下:
_thread.start_new_thread ( function, args[, kwargs] )
參數說明:
- function - 線程函數。
- args - 傳遞給線程函數的參數,他必須是個tuple類型。
- kwargs - 可選參數。
范例
#!/usr/bin/python3
import _thread
import time
# 為線程定義一個函數
def print_time( threadname, delay):
count = 0
while count < 5:
time.sleep(delay)
count += 1
print ("%s: %s" % ( threadname, time.ctime(time.time()) ))
# 創建兩個線程
try:
_thread.start_new_thread( print_time, ("thread-1", 2, ) )
_thread.start_new_thread( print_time, ("thread-2", 4, ) )
except:
print ("error: 無法啟動線程")
while 1:
pass
import _thread
import time
# 為線程定義一個函數
def print_time( threadname, delay):
count = 0
while count < 5:
time.sleep(delay)
count += 1
print ("%s: %s" % ( threadname, time.ctime(time.time()) ))
# 創建兩個線程
try:
_thread.start_new_thread( print_time, ("thread-1", 2, ) )
_thread.start_new_thread( print_time, ("thread-2", 4, ) )
except:
print ("error: 無法啟動線程")
while 1:
pass