这是我开始的地方的一个例子
mylist = [["1", "apple"], ["2", "banana"], ["3", "carrot"]]
def testfun(passedvariable):
for row in passedvariable:
row.append("Something else")
return "Other answer"
otheranswer = testfun(mylist)
print mylist
我希望mylist
没有改变。
然后我尝试删除该临时列,但这不起作用:
mylist = [["1", "apple"], ["2", "banana"], ["3", "carrot"]]
def testfun(passedvariable):
for row in passedvariable:
row.append("Something else")
# I'm now finished with the "Something else" column, so remove it
for row in passedvariable: row = row[:-1]
return "Other answer"
otheranswer = testfun(mylist)
print mylist
我认为尝试使用不同的参考:
mylist = [["1", "apple"], ["2", "banana"], ["3", "carrot"]]
def testfun(passedvariable):
copyofdata = passedvariable
for row in copyofdata:
row.append("Something else")
# I'm now finished with the "Something else" column, so remove it
for row in copyofdata: row = row[:-1]
return "Other answer"
otheranswer = testfun(mylist)
print mylist
我已经写了几个月的Python脚本了,但之前从未遇到过这个问题。我需要了解什么,以及如何将列表传递给函数并暂时操纵它(但保持原始状态不变?)。
答案 0 :(得分:3)
Python通过共享传递所有内容(引用作为值传递,请参阅call by sharing),但是集成的数字和字符串类型是不可变的,因此如果更改它们,则更改引用的值而不是对象本身。对于像list这样的可变类型,请复制(例如list(passedvariable)
)。如果要修改列表中的可变对象(只能包含引用!),则需要执行深层复制,使用
import copy
copy.deepcopy(passedvariable)
请参阅https://docs.python.org/2/library/copy.html(自Python 2.6起可用)
请注意,由于引用本身是按值传递的,因此您不能将作为参数传递的引用更改为指向函数外部的其他内容(即,传递变量=传递变量[1:]不会更改在函数外部看到的值) 。一个常见的技巧是传递一个包含一个元素的列表并更改该元素。
答案 1 :(得分:0)
mylist
和passedvariable
是相同的列表对象。因此,更改列表随处可见。第三个例子中的copyofdata
也是如此。它不是副本,而是相同的列表对象。要制作副本,您必须显式复制列表,在这种情况下,您甚至必须复制列表的每个元素,因为它们也是列表对象。
现在为第二个例子row = row[:-1]
:在这里你制作一个列表的副本,除了最后一个元素。因此,前row
未更改,但新列表对象的名称为row
。