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

nonlocalPython3でのみ機能します。これは、言語への新しい追加です

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 に答える