13

我想测试这个问题的答案中指定的非本地语句的使用示例:

def outer():
   x = 1
   def inner():
       nonlocal x
       x = 2
       print("inner:", x)
   inner()
   print("outer:", x)

但是当我尝试加载此代码时,总是会收到语法错误:

Traceback (most recent call last):


File "<stdin>", line 1, in <module>
  File "t.py", line 4
    nonlocal x
             ^
SyntaxError: invalid syntax

有谁知道我在这里做错了什么(我使用的每个示例都有语法错误,包含nonlocal)。

4

2 回答 2

23

nonlocal仅适用于 Python 3;它是该语言的新增内容

在 Python 2 中,它会引发语法错误;python 将nonlocal其视为表达式而不是语句的一部分。

当您实际使用正确的 Python 版本时,此特定示例可以正常工作:

$ python3.3
Python 3.3.0 (default, Sep 29 2012, 08:16:08) 
[GCC 4.2.1 Compatible Apple Clang 3.1 (tags/Apple/clang-318.0.58)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> def outer():
...    x = 1
...    def inner():
...        nonlocal x
...        x = 2
...        print("inner:", x)
...    inner()
...    print("outer:", x)
... 
于 2013-01-10T18:01:43.203 回答
0

非本地语句中列出的名称不得与本地范围内的预先存在的绑定发生冲突。

https://docs.python.org/3/reference/simple_stmts.html#the-nonlocal-statement

def outer():
    x = 1
    def inner():
        nonlocal x
        y = 2
        x = y
        print("inner: ", x)
    inner()
    print("outer: ", x)
>>> outer()
inner:  2
outer:  2

于 2014-12-23T03:40:53.033 回答