进程(Process) 是计算机中的程序关于某数据集合上的一次运行活动,是系统进行资源分配和调度的基本单位,是操作系统结构的基础。 在当代面向线程设计的计算机结构中,进程是线程的容器。程序是指令、数据及其组织形式的描述,进程是程序的实体。是计算机中的程序关于某数据集合上的一次运行活动,是系统进行资源分配和调度的基本单位,是操作系统结构的基础。程序是指令、数据及其组织形式的描述,进程是程序的实体。
线程(thread) 是操作系统能够进行运算调度的最小单位。它被包含在进程之中,是进程中的实际运作单位。一条线程指的是进程中一个单一顺序的控制流,一个进程中可以并发多个线程,每条线程并行执行不同的任务
进程:指在系统中正在运行的一个应用程序;程序一旦运行就是进程;进程——资源分配的最小单位。
线程:系统分配处理器时间资源的基本单元,或者说进程之内独立执行的一个单元执行流。线程——程序执行的最小单位。
python3中通过两个标准库_thread和threading提供线程的支持。_thread模块中的start_new_thread()函数来产生新线程。
import _thread
import os
import time
def ping():
shell = os.system('ipconfig')
print(shell)
def main():
_thread.start_new_thread(ping,())
time.sleep(0.2)
if __name__ == '__main__':
main()
theading模块提供的类(class):
thread,Lock,Rlock,Condittion,[Bounded]Semapore,Event,Timer,local.
thradsing提供的常用方法(finction):
threading.currentThread():返回当前的线程变量。
threading.enumerate():返回一个包含正在运行的线程的list。正在运行指线程启动后、结束前,不包括启动前和终止后的线程。
threading.activeCount():返回正在运行的线程数量,与len(threading.enumerate)有相同的结果。
threading模块提供的常量(constant):
threading.TIMEOUT_MAX设置threading全局超时时间。
Thread类(class)
Thread是线程类,有两种使用方法,直接传入要运行的方法或从Thread继承并覆盖run( ):
Thread (group=None,target=None, name=None,args=().,kwargs={})
group:线程组,目前还没有实现,库引用中提示必须是None;
target:要执行的方法;
name:线程名;
args/kwargs:要传入方法的参数。
import os
import time
import threading
def ping_cheak(ip):
shell = os.system('ping -t %s'%ip)
print(shell)
def main():
for i in range(1,255):
ip = '220.181.38'+str(i)
t=threading.Thread(target=ping_cheak,args=(ip,))
t.start()
time.sleep(0.2)
if __name__ == '__main__':
main()
Thread类的方法(function)
isAlive():返回线程是否在运行。正在运行指启动后、终止前。get/setName (name):获取/设置线程名。
IsAlive():返回线程是否在运行。正在运行指启动后、终止前.
Get/setName(Name):获取/设置线程名。
start()启动线程。
join([timeout]):阻塞当前上下文环境的线程,直到调用此方法的线程终止或到达指定的timeout(可选参数)。
threading用法
import os
import time
import threading
def ping_cheak(ip):
shell = os.system('ping -t %s'%ip)
print(shell)
def main():
for i in range(1,255):
ip = '220.181.38'+str(i)
t=threading.Thread(target=ping_cheak,args=(ip,))
t.start()
time.sleep(0.2)
if __name__ == '__main__':
main()