user607722
user607722

Reputation: 1676

Difference between closures in python and javascript

In JS, we can write closure like:

function f(){
var a=0;
function g(){
    alert(a++);
}
return g;
}
g=f()
g()

However, if I write following code in python

def f():
    a=0
    def g():
        a+=1
        print a
    return g
g=f()
g()

Then I get UnboundedLocalError.

Can anyone tell me the difference between closure in python and JS?

Upvotes: 9

Views: 1711

Answers (2)

freegnu
freegnu

Reputation: 813

Version for python 2:

def f():
    a=0
    def g():
        g.a+=1
        print g.a

    g.a=a
    return g
g=f()
g()

Upvotes: 2

Marek Sapota
Marek Sapota

Reputation: 20598

When you use a += 1 in Python it refers to a local (uninitialized) variable in scope of g function. Basically you can read variables from upper scopes, but if you try to write it will refer to a variable in most recent scope. To make it work like you want you have to use nonlocal keyword that is only present Python 3. In Python 2 you can't do that as far as I know, unless the variable you're trying to change is is global, then global keyword comes to the rescue.

def f():
    a=0
    def g():
        nonlocal a
        a+=1
        print a
    return g
g=f()
g()

Upvotes: 12

Related Questions