Python混淆功能参考

时间:2014-08-10 07:19:23

标签: python list reference

任何人都可以向我解释为什么ab下面的两个函数表现不同。函数a在本地更改namesb更改实际对象。

我在哪里可以找到有关此行为的正确文档?

def a(names):
    names = ['Fred', 'George', 'Bill']

def b(names):
    names.append('Bill')

first_names = ['Fred', 'George']

print "before calling any function",first_names
a(first_names)
print "after calling a",first_names
b(first_names)
print "after calling b",first_names

输出:

before calling any function ['Fred', 'George']
after calling a ['Fred', 'George']
after calling b ['Fred', 'George', 'Bill']

2 个答案:

答案 0 :(得分:7)

分配函数内部的参数不会影响传递的参数。它只使局部变量引用新对象。

同时,list.append就地修改列表。

如果要更改函数内的列表,可以使用切片赋值:

def a(names):
    names[:] = ['Fred', 'George', 'Bill']

答案 1 :(得分:1)

函数a创建一个新的本地变量names并为其分配列表['Fred', 'George', 'Bill']。所以现在这是与全局 first_names不同的变量,正如您已经发现的那样。

您可以阅读有关修改函数here内的列表的信息。

使函数a的行为与函数b相同的一种方法是使函数成为修饰符

def a(names):
    names += ['Bill']

或者您可以制作功能:

def c(names):
    new_list = names + ['Bill']
    return new_list

并称之为:

first_names = c(first_names)
print first_names
# ['Fred', 'George', 'Bill']

纯函数意味着它不会改变程序的状态,即它没有任何副作用,比如改变全局变量。