我试图了解 Python 的变量范围方法。在这个例子中,为什么f()能够改变 的值x,如在 内所感知的那样main(),但不能改变 的值n?
f()
x
main()
n
def f(n, x): n = 2 x.append(4) print('In f():', n, x) def main(): n = 1 x = [0,1,2,3] print('Before:', n, x) f(n, x) print('After: ', n, x) main()
输出:
Before: 1 [0, 1, 2, 3] In f(): 2 [0, 1, 2, 3, 4] After: 1 [0, 1, 2, 3, 4]
一些答案在函数调用的上下文中包含“复制”一词。我觉得很混乱。
Python 不会复制 您在函数调用期间传递 的 对象 。 __
函数参数是 名称 。当您调用函数时,Python 会将这些参数绑定到您传递的任何对象(通过调用者范围内的名称)。
对象可以是可变的(如列表)或不可变的(如 Python 中的整数、字符串)。您可以更改的可变对象。您不能更改名称,只能将其绑定到另一个对象。
您的示例与范围或名称空间无关,而是关于Python 中对象的命名、绑定和可变性。
def f(n, x): # these `n`, `x` have nothing to do with `n` and `x` from main() n = 2 # put `n` label on `2` balloon x.append(4) # call `append` method of whatever object `x` is referring to. print('In f():', n, x) x = [] # put `x` label on `[]` ballon # x = [] has no effect on the original list that is passed into the function
这是关于其他语言中的变量和 Python 中的名称之间差异的漂亮图片。