利用闭包返回一个计数器函数,每次调用它返回递增整数

nonlocal是定义在闭包里面

 

def createCounter():
  n = 0               # 先定义一个变量作为初始值
  def counter():      # 定义一个内部函数用来计数
        nonlocal n        # 声明变量n非内部函数的局部变量,否则内部函数只能引用,一旦修改会视其为局部变量,报错“局部变量在赋值之前被引用”。
        n += 1            # 每调用一次内部函数,对n + 1
        return n          # 返回n的值
  return counter

# 测试:
counterA = createCounter()
print(counterA(), counterA(), counterA(), counterA(), counterA()) # 1 2 3 4 5
counterB = createCounter()
if [counterB(), counterB(), counterB(), counterB()] == [1, 2, 3, 4]:
    print('测试通过!')
else:
    print('测试失败!')

针对nonlocal介绍:nonlocal t为tex_1中变量,可修改外部函数tex中t变量的值,

一个函数里面再嵌套了一个函数。当使用 nonlocal 时,就声明了该变量不只在嵌套函数里面
才有效, 而是在整个大函数里面都有效。

global 是对整个环境下的变量起作用,而不是对函数类的变量起作用。

t=0
def tex():
    t=1
    def tex_1():
        t=2
        print('inner:', t)
    tex_1()
    print('outer:', t)
tex()
print('global:',t)

结果为:
>>>inner: 2
>>>outer: 1
>>>global: 0
t=0
def tex():
    t=1
    def tex_1():
        nonlocal t 
        t=2
        print('inner:', t)
    tex_1()
    print('outer:', t)
tex()
print('global:',t)

结果为:
>>>inner: 2
>>>outer: 2
>>>global: 0
t=0
def tex():
    t=1
    def tex_1():
        global t
        t=2
        print('inner:', t)
    tex_1()
    print('outer:', t)
tex()
print('global:',t)


结果为:
inner: 2
outer: 1
global: 2

 

你可能感兴趣的:(随笔)