我正在尝试了解Python的可变范围方法。在此示例中,为什么f()能够更改在x内部感知到main()的值,但不能更改n?
f()
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)
输出:
Before: 1 [0, 1, 2, 3] In f(): 2 [0, 1, 2, 3, 4] After: 1 [0, 1, 2, 3, 4]
一些答案在函数调用的上下文中包含单词copy。我感到困惑。
copy
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中的名称之间的区别的好照片。