A thread is a smallest executable unit of the process.
A process can have multiple threads.
Each thread under the same process shares the memory and resources of that process.
There are two modules which support the usage of threads in Python
- _thread
- threading
Working with the _thread module
import _thread
import time
def print_time ( name , delay ) :
for i in range ( 5 ):
print ( name , time.ctime ( time.time ( ) ) )
time.sleep ( delay )
_thread.start_new_thread ( print_time , ( ' t1 ' , 3 ) )
Output:
t1 Sat Oct 26 14:24:52 2024
t1 Sat Oct 26 14:24:55 2024
t1 Sat Oct 26 14:24:59 2024
t1 Sat Oct 26 14:25:02 2024
t1 Sat Oct 26 14:25:05 2024
KeyboardInterrupt
Explanation:
We create a thread and call a function passing 2 parameters to it.
We use it to display the local time with a delay of 3 seconds.
The program goes into an infinite loop and needs to be terminated using the ctrl c command from the keyboard.
0 Comments