Python: Append a list to another list and Clear the first list
Passing a list
to a method like append
is just passing a reference to the same list
referred to by list1
, so that's what gets appended to list2
. They're still the same list
, just referenced from two different places.
If you want to cut the tie between them, either:
- Insert a copy of
list1
, notlist1
itself, e.g.list2.append(list1[:])
, or - Replace
list1
with a freshlist
afterappend
ing instead of clearing in place, changingdel list1[:]
tolist1 = []
Note: It's a little unclear, but if you want the contents of list1
to be added to list2
(so list2
should become [1, 2, 3]
not [[1, 2, 3]]
with the values in the nested list
), you'd want to call list2.extend(list1)
, not append
, and in that case, no shallow copies are needed; the values from list1
at that time would be individually append
ed, and no further tie would exist between list1
and list2
(since the values are immutable int
s; if they were mutable, say, nested list
s, dict
s, etc., you'd need to copy them to completely sever the tie, e.g. with copy.deepcopy
for complex nested structure).
So basically here is what the code is doing:
Before delete
After deleting
In short, both lists names are pointing to the same list object.
code visualization source