博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
如何在Python 2.X中也达到类似nonlocal关键字的效果
阅读量:5142 次
发布时间:2019-06-13

本文共 1305 字,大约阅读时间需要 4 分钟。

nonlocal关键字时Python 3.X中引入的,目的是让内层函数可以修改外层函数的变量值,而该关键字在Python 2.X中是不存在的。那么,要在Python 2.X中达到类型达到类似nonlocal关键字的效果,有方法吗?

 

答案是肯定的,主要有如下四种方法:

1 将要改变的变量在外层函数声明成global的,这样内层函数就可以改变这个变量的值了,缺点就是所有内层函数都共享一个全局变量的值:

def test(start):    global state    # 将state声明成全局变量    state = start    def nested(label):        global state           # 必须使用global再次声明,否则state += 1会报错,因此不使用global声明,Python认为state是在nested里面声明的一个局部变量,而这个变量没有被定义(即没有被赋值),就被拿来使用了        print(label, state)        state += 1        return nested>>>F = test(1)>>>F('toast')toast  1>>> G = test(42)>>>G('spam')spam 42>>>F('ham')    # F和G都共享一个全局变量state,导致F的state变成了43ham 43

2 使用class

class tester:    def __init__(self, start):         self.state = start            def nested(self, label):        print(label, self.state)          self.state += 1         >>>F = test(0)>>>F.nested('spam')spam 0

3 使用函数的属性,由于函数在Python里面是一个对象,因此可以给它添加属性,我们可以利用这一点达到目的

def tester(start):    def nested(label):        print(label, nested.state)          nested.state += 1      nested.state = start     # state作为函数属性    return nested

4 利用可变的数据结构,比如数组,但是相比较使用class和函数的属性,这种使用方式很晦涩

def tester(start):    def nested(label):        print(label, state[0])          state[0] += 1     state = [start]   # 通过数组达到这一目的    return nested

 

转载于:https://www.cnblogs.com/chaoguo1234/p/9218299.html

你可能感兴趣的文章
Failed to load the JNI shared library “E:/2000/Java/JDK6/bin/..jre/bin/client/jvm.dll
查看>>
Zabbix3.4服务器的搭建--CentOS7
查看>>
〖Python〗-- IO多路复用
查看>>
栈(括号匹配)
查看>>
夜太美---酒不醉--人自醉
查看>>
Java学习 · 初识 面向对象深入一
查看>>
zabbix经常报警elasticsearch节点TCP连接数过高问题
查看>>
源代码如何管理
查看>>
vue怎么将一个组件引入另一个组件?
查看>>
多线程学习笔记三之ReentrantLock与AQS实现分析
查看>>
【转】进程与线程的一个简单解释
查看>>
getopt,getoptlong学习
查看>>
数据的传递 变量与参数的使用
查看>>
Razor项目所感(上)
查看>>
移动互联网服务客户端开发技巧系列
查看>>
《Spring》(十五)---@AspectJ
查看>>
使用visio 2010建立sql server数据模型——手动画、利用逆向工程
查看>>
篮球赛
查看>>
HihoCoder - 1339 Dice Possibility(概率dp)
查看>>
js中call、apply、bind的用法
查看>>