标签:创建 proc 语法 tar live function 常用方法 别名 活着
multiprocessing模块就是跨平台版本的多进程模块,提供了一个Process类来代表一个进程对象,这个对象可以理解为是一个独立的进程,可以执行另外的事情
# -*- coding:utf-8 -*-
from multiprocessing import Process
import time
def run_proc():
"""子进程要执行的代码"""
while True:
print("----2----")
time.sleep(1)
if __name__==‘__main__‘:
p = Process(target=run_proc)
p.start()
while True:
print("----1----")
time.sleep(1)
# -*- coding:utf-8 -*-
from multiprocessing import Process
import os
import time
def run_proc():
"""子进程要执行的代码"""
print(‘子进程运行中,pid=%d...‘ % os.getpid()) # os.getpid获取当前进程的进程号
print(‘子进程将要结束...‘)
if __name__ == ‘__main__‘:
print(‘父进程pid: %d‘ % os.getpid()) # os.getpid获取当前进程的进程号
p = Process(target=run_proc)
p.start()
Process([group [, target [, name [, args [, kwargs]]]]])
Process创建的实例对象的常用方法:
Process创建的实例对象的常用属性:
# -*- coding:utf-8 -*-
from multiprocessing import Process
import os
from time import sleep
def run_proc(name, age, **kwargs):
for i in range(10):
print(‘子进程运行中,name= %s,age=%d ,pid=%d...‘ % (name, age, os.getpid()))
print(kwargs)
sleep(0.2)
if __name__==‘__main__‘:
p = Process(target=run_proc, args=(‘test‘,18), kwargs={"m":20})
p.start()
sleep(1) # 1秒中之后,立即结束子进程
p.terminate()
p.join()
运行结果:
子进程运行中,name= test,age=18 ,pid=45097...
{‘m‘: 20}
子进程运行中,name= test,age=18 ,pid=45097...
{‘m‘: 20}
子进程运行中,name= test,age=18 ,pid=45097...
{‘m‘: 20}
子进程运行中,name= test,age=18 ,pid=45097...
{‘m‘: 20}
子进程运行中,name= test,age=18 ,pid=45097...
{‘m‘: 20}
# -*- coding:utf-8 -*-
from multiprocessing import Process
import os
import time
nums = [11, 22]
def work1():
"""子进程要执行的代码"""
print("in process1 pid=%d ,nums=%s" % (os.getpid(), nums))
for i in range(3):
nums.append(i)
time.sleep(1)
print("in process1 pid=%d ,nums=%s" % (os.getpid(), nums))
def work2():
"""子进程要执行的代码"""
print("in process2 pid=%d ,nums=%s" % (os.getpid(), nums))
if __name__ == ‘__main__‘:
p1 = Process(target=work1)
p1.start()
p1.join()
p2 = Process(target=work2)
p2.start()
in process1 pid=11349 ,nums=[11, 22]
in process1 pid=11349 ,nums=[11, 22, 0]
in process1 pid=11349 ,nums=[11, 22, 0, 1]
in process1 pid=11349 ,nums=[11, 22, 0, 1, 2]
in process2 pid=11350 ,nums=[11, 22]
标签:创建 proc 语法 tar live function 常用方法 别名 活着
原文地址:https://www.cnblogs.com/jyue/p/10463854.html