Python scope [duplicate]

2019-01-03 16:53发布

This question already has an answer here:

I am trying to figure out this:

c = 1
def f(n):
    print c + n 
def g(n):
    c = c + n

f(1) => 2
g(1) => UnboundLocalError: local variable 'c' referenced before assignment

Thanks!

标签: python scope
4条回答
我想做一个坏孩纸
2楼-- · 2019-01-03 17:03

Within a function, variables that are assigned to are treated as local variables by default. To assign to global variables, use the global statement:

def g(n):
    global c
    c = c + n

This is one of the quirky areas of Python that has never really sat well with me.

查看更多
仙女界的扛把子
3楼-- · 2019-01-03 17:05

Errata for Greg's post:

There should be no before they are referenced. Take a look:

x = 1
def explode():
    print x # raises UnboundLocalError here
    x = 2

It explodes, even if x is assigned after it's referenced. In Python variable can be local or refer outer scope, and it cannot change in one function.

查看更多
Anthone
4楼-- · 2019-01-03 17:21

Other than what Greg said, in Python 3.0, there will be the nonlocal statement to state "here are some names that are defined in the enclosing scope". Unlike global those names have to be already defined outside the current scope. It will be easy to track down names and variables. Nowadays you can't be sure where "globals something" is exactly defined.

查看更多
做个烂人
5楼-- · 2019-01-03 17:26

Global state is something to avoid, especially needing to mutate it. Consider if g() should simply take two parameters or if f() and g() need to be methods of a common class with c an instance attribute

class A:
    c = 1
    def f(self, n):
        print self.c + n
    def g(self, n):
        self.c += n

a = A()
a.f(1)
a.g(1)
a.f(1)

Outputs:

2
3
查看更多
登录 后发表回答