python怎么使用全局变量
程序员文章站
2024-01-21 23:22:34
...
一、单模块的全局变量
1、在函数外部定义x = 6
2、在函数内部再次定义global x
x = 6
def func():
global x #定义外部的x
x = 1
func()
print (x)
#输出1
如果没有在函数内部global
修饰,那么会在函数内部定义一个同名局部变量并隐藏掉同名全局变量。
二、多线程、跨模块的全局变量
为全局变量定义一个“全局变量管理模块”,下面主要创建了4个文件
# main.py
import threading
import os
import global_maneger
from thread1 import modifycount
from thread2 import printcount
if __name__ == "__main__":
print('主进程pid=%d'%os.getpid())
global_maneger._init()
global_maneger.set_global_value('num', 0)
global_maneger.set_global_value('count', 10)
#创建线程,此线程修改全局变量
t1=threading.Thread(target=modifycount)
#创建线程,此线程打印全局变量
t2=threading.Thread(target=printcount)
t1.start()
t2.start()
t1.join()
t2.join()
print('主线程结束,num=%d'%(global_maneger.get_global_value('num')))
# global_maneger.py
_global_dict = {}
def _init(): # 初始化
global _global_dict
def set_global_value(key, value):
""" 定义一个全局变量 """
global _global_dict
_global_dict[key] = value
def get_global_value(key, defValue=None):
""" 获得一个全局变量,不存在则返回默认值 """
global _global_dict
try:
return _global_dict[key]
except KeyError:
return defValue
# thread2.py
import threading
import time
import global_maneger
def printcount():
#获取当前线程对象
t=threading.current_thread()
for index in range(global_maneger.get_global_value('count')):
print('%s,num=%d'%(t.name, global_maneger.get_global_value('num')))
time.sleep(0.1)
# thread1.py
import threading
import time
import global_maneger
def modifycount():
#获取当前线程对象
t = threading.current_thread()
for index in range(global_maneger.get_global_value('count')):
global_maneger.set_global_value('num', global_maneger.get_global_value('num') + 1)
print('%s,修改num'%(t.name))
time.sleep(0.1)
main的运行结果:
主进程pid=5000
Thread-1,修改num
Thread-2,num=1
Thread-2,num=1Thread-1,修改num
Thread-1,修改numThread-2,num=3
Thread-2,num=3Thread-1,修改num
Thread-2,num=4Thread-1,修改num
Thread-2,num=5Thread-1,修改num
Thread-1,修改numThread-2,num=7
Thread-1,修改numThread-2,num=8
Thread-1,修改numThread-2,num=9
Thread-1,修改numThread-2,num=10
主线程结束,num=10
Process finished with exit code 0
上一篇: sass全局变量配置
下一篇: 时间模块-time