I came across the following code (sort of):
my_list = [1, [2, 3, 4], 5]
my_list[1:2] = my_list[1]
After running these two lines, the variable my_list will be [1, 2, 3, 4, 5]. Pretty useful for expanding nested lists.
But why does it actually do what it does?
I would have assumed that the statement my_list[1:2] = my_list[1] would do one of the following:
- simply put
[2, 3, 4]into the second position in the list (where it already is) - give some kind of “too many values to unpack” error, from trying to put three values (namely 2,3,4) into a container of only length 1 (namely
my_list[1:2]). (Repeating the above with a Numpy array instead of a list results in a similar error.)
Other questions (e.g. How assignment works with python list slice) tend to not pay much attention to the discrepancy between the size of the slice to be replaced, and the size of the items you’re replacing it with. (Let alone explaining why it works the way it does.)
Solution:
Slice assignment replaces the specified part of the list with the iterable on the right-hand side, which may have a different length than the slice. Taking the question at face value, the reason why this is so is because it’s convenient.
You are not really assigning to the slice, i.e. Python doesn’t produce a slice object that contains the specified values from the list and then changes these values. One reason that wouldn’t work is that slicing returns a new list, so this operation wouldn’t change the original list.
Also see this question, which emphasizes that slicing and slice assignment are totally different.

