Why doesn’t this work?
JavaScript
x
6
1
# to reverse a part of the string in place
2
a = [1,2,3,4,5]
3
a[2:4] = reversed(a[2:4]) # This works!
4
a[2:4] = [0,0] # This works too.
5
a[2:4].reverse() # But this doesn't work
6
Advertisement
Answer
a[2:4]
creates a copy of the selected sublist, and this copy is reversed by a[2:4].reverse()
. This does not change the original list. Slicing Python lists always creates copies — you can use
JavaScript
1
2
1
b = a[:]
2
to copy the whole list.