6、命名空间和作用域

命名空间

A namespace is a mapping from names to objects.Most namespaces are currently implemented as Python dictionaries。

命名空间(Namespace)是从名称到对象的映射,大部分的命名空间都是通过 Python 字典来实现的。

命名空间提供了在项目中避免名字冲突的一种方法。各个命名空间是独立的,没有任何关系的,所以一个命名空间中不能有重名,但不同的命名空间是可以重名而没有任何影响。

一般有三种命名空间:

img

python在查询名称时,是从内到外查询

#此处的var1是全局名称
var1 = 10

def test():
    #此处的var2是局部名称
    var1 = 20
    
#abs是内置名称
abs(-1)

命名空间的生命周期

命名空间的生命周期取决于对象的作用域,如果对象执行完成,则该命名空间的生命周期就结束。

因此,我们无法从外部命名空间访问内部命名空间的对象。

作用域

变量的作用域决定了在哪一部分程序可以访问哪个特定的变量名称。Python 的作用域一共有4种,有四种作用域

img

全局变量和局部变量

total = 0

def add(arg1,arg2):
    total = arg1 + arg2
    print('局部变量total->%s' % total)

add(5,6)

print('全局变量total->%s' % total)

'''
局部变量total->11
全局变量total->0
'''

global

如果要在函数内修改(赋值)全局变量total,那么需要使用global

num = 10

def show():
    global num
    print('函数内使用全局变量:%s' % num)
    num = 100
show()

print('全局变量:%s' % num)

'''
函数内使用全局变量:10
全局变量:100
'''

nonlocal

要修改嵌套作用域(enclosing 作用域,外层非全局作用域)中的变量则需要 nonlocal 关键字

num = 10

def func1():
    num = 20
    def func2():
        nonlocal num
        print(num)
    func2()

func1()

'''
20
'''