在以下示例中:
foo = ['red', 'white', 'blue', 1, 2, 3]
其中:foo[0:6:1]
将打印foo中的所有元素。但是,foo[6:0:-1]
将省略第1个或第0个元素。
>>> foo[6:0:-1]
[3, 2, 1, 'blue', 'white']
据我所知,我可以使用foo.reverse()或foo [:: - 1]反向打印列表,但我试图理解为什么foo [6:0:-1]不能打印整个清单?
答案 0 :(得分:98)
简短的切片符号:
[ <first element to include> : <first element to exclude> : <step> ]
如果要在倒转列表时包含第一个元素,请将中间元素保留为空,如下所示:
foo[::-1]
您也可以在这里找到一些关于Python切片的好信息:
Explain Python's slice notation
答案 1 :(得分:7)
答案 2 :(得分:6)
...为什么foo [6:0:-1]不打印整个列表?
因为中间值是独占,而不是包含,所以停止值。 interval notation是[开始,停止]。
这正是[x]范围的工作原理:
>>> range(6, 0, -1)
[6, 5, 4, 3, 2, 1]
这些是包含在结果列表中的索引,并且它们不包括第一项的0。
>>> range(6, -1, -1)
[6, 5, 4, 3, 2, 1, 0]
另一种看待它的方法是:
>>> L = ['red', 'white', 'blue', 1, 2, 3]
>>> L[0:6:1]
['red', 'white', 'blue', 1, 2, 3]
>>> len(L)
6
>>> L[5]
3
>>> L[6]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
IndexError: list index out of range
指数6超出(一次,精确地)L的有效指数,因此将其作为排除的止值除去该范围:
>>> range(0, 6, 1)
[0, 1, 2, 3, 4, 5]
仍然为列表中的每个项目提供索引。
答案 3 :(得分:3)
这个答案可能有点过时,但对于遇到同样问题的人来说可能会有所帮助。 您可以获得具有任意结尾的反向列表 - 最多0个索引,应用第二个就地切片,如下所示:
>>> L = list(range(10))
>>> L
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
>>> (start_ex, end) = (7, 0)
>>> L[end:start_ex][::-1]
[6, 5, 4, 3, 2, 1, 0]
答案 4 :(得分:1)
使用
>>>foo[::-1]
这将显示从结尾元素到开头的列表的反向内容,
答案 5 :(得分:1)
如果使用负停止值,则可以使其正常工作。试试这个:
foo[-1:-7:-1]
答案 6 :(得分:0)
补码。以2倒退一步:
A = [1,2,2,3,3]
n = len(A)
res = [None] * n
mid = n//2 + 1 if n%2 == 1 else n//2
res[0::2] = A[0:mid][::-1]
res[1::2] = A[0:mid][::-1]
print(res)
[2,3,2,3,1]
答案 7 :(得分:0)
将来自andrew-clark的答案正式化一点:
假设列表v
和v[n1:n2:n3]
切片。
n1
是初始位置,n2
是最终位置,n3
是步骤
让我们以Python方式编写一些伪代码:
n3 = 1 if (n3 is missing) else n3
if n3==0:
raise exception # error, undefined step
第一部分:n3阳性
if n3>0:
slice direction is from left to right, the most common direction
n1 is left slice position in `v`
if n1 is missing:
n1 = 0 # initial position
if n1>=0:
n1 is a normal position
else:
(-n1-1) is the position in the list from right to left
n2 is right slice position in `v`
if n2 is missing:
n2 = len(x) # after final position
if n2>=0:
n2 is a normal final position (exclusive)
else:
-n2-1 é the final position in the list from right to left
(exclusive)
第二部分:n3否定
else:
slice direction is from right to left (inverse direction)
n1 is right slice position in `v`
if n1 is missing:
n1 = -1 # final position is last position in the list.
if n1>=0:
n1 is a normal position
else:
(-n1-1) is the position in the list from right to left
n2 is left slice position in `v`
if n2 is missing:
n2 = -len(x)-1 # before 1st character (exclusive)
if n2>=0:
n2 is a normal final position (exclusive)
else:
-n2-1 is the ending position in the list from right to left
(exclusive)
现在原来的问题:如何用分片符号来反转列表?
L = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
print(L(::-1)) # [10, 9, 8, 7, 6, 5, 4, 3, 2, 1]
为什么?
n1 is missing and n3<0
=> n1=0
n2 is missing and n3<0
=> n2 = -len(x)-1
所以L(::-1) == L(-1:-11:-1)