关于python多进程读取同一全局变量的一点发现
程序员文章站
2024-01-25 20:27:28
...
from multiprocessing import Process
a = []
def f1():
global a
a = [1,2]
print(a)
def f2():
global a
a.append(2)
a.append(1)
print(a)
对于上面的变量a,分别利用两个函数进行修改
正常操作:
if __name__ == '__main__':
f1()
f2()
print(a)
输出:
[1, 2]
[1, 2, 2, 1]
[1, 2, 2, 1]
多进程:
if __name__ == '__main__':
p_list = [] # 保存Process新建的进程
# 创建两个进程,并行运算模拟多台服务器
p_list.append(Process(target=f1)) # 0.1964719295501709
p_list.append(Process(target=f2))
for xx in p_list:
xx.start()
for xx in p_list:
xx.join()
print(a)
输出:
[2, 1]
[1, 2]
[]
这里似乎可以发现多进程操作同一全局变量的时候似乎没有真的对全局变量进行修改
另外:
from multiprocessing import Process
a = [1,2,3]
def f1():
global a
a = [1,2]
print(a)
def f2():
global a
a.append(4)
print(a)
if __name__ == '__main__':
f1()
print(a)
p_list = [] # 保存Process新建的进程
# 创建两个进程,并行运算模拟多台服务器
p_list.append(Process(target=f1)) # 0.1964719295501709
p_list.append(Process(target=f2))
for xx in p_list:
xx.start()
for xx in p_list:
xx.join()
print(a)
输出:
[1, 2]
[1, 2]
[1, 2]
[1, 2, 3, 4]
[1, 2]
从这里看出,似乎进程记录了全局变量最开始的状态,不受后面对全局变量修改的影响
还有在函数有参数的时候,两个及以上参数,process的args直接填写就可以了,但是一个参数的时候似乎要括号起来,在参数后面加逗号,类似这样
def f2(a):
a.append(4)
print(a)
·····
p_list.append(Process(target=f2,args=(a,)))