了解Python的切片符号
我需要一个很好的解释(引用是加号)Python的切片符号。
对我而言,这个表示法需要一点点提升。
它看起来非常强大,但我还没有完全摆脱困境。
这真的很简单:
a[start:end] # items start through end-1
a[start:] # items start through the rest of the array
a[:end] # items from the beginning through end-1
a[:] # a copy of the whole array
也有step
值,可以用于以上任何一个:
a[start:end:step] # start through not past end, by step
要记住的关键点是:end
值代表不在所选切片中的第一个值。 因此, end
与start
的差异是所选元素的数量(如果step
为1,则为默认值)。
另一个特征是start
或end
可能是一个负数,这意味着它从数组的末尾开始而不是开始。 所以:
a[-1] # last item in the array
a[-2:] # last two items in the array
a[:-2] # everything except the last two items
同样, step
可能是负数:
a[::-1] # all items in the array, reversed
a[1::-1] # the first two items, reversed
a[:-3:-1] # the last two items, reversed
a[-3::-1] # everything except the last two items, reversed
如果项目数量少于您的要求,则Python对程序员非常友善。 例如,如果你问a[:-2]
和a
只包含一个元素,你会得到一个空的列表,而不是一个错误。 有时候你会喜欢这个错误,所以你必须意识到这可能会发生。
Python教程讲述了它(向下滚动,直到看到关于切片的部分)。
ASCII艺术图对于记忆切片的工作方式也很有帮助:
+---+---+---+---+---+---+
| P | y | t | h | o | n |
+---+---+---+---+---+---+
0 1 2 3 4 5 6
-6 -5 -4 -3 -2 -1
记住切片如何工作的一种方式是将索引视为指向字符之间的索引,其中第一个字符的左边缘编号为0.然后,一串n个字符的最后一个字符的右边缘具有索引n。
列举语法允许的可能性:
>>> seq[:] # [seq[0], seq[1], ..., seq[-1] ]
>>> seq[low:] # [seq[low], seq[low+1], ..., seq[-1] ]
>>> seq[:high] # [seq[0], seq[1], ..., seq[high-1]]
>>> seq[low:high] # [seq[low], seq[low+1], ..., seq[high-1]]
>>> seq[::stride] # [seq[0], seq[stride], ..., seq[-1] ]
>>> seq[low::stride] # [seq[low], seq[low+stride], ..., seq[-1] ]
>>> seq[:high:stride] # [seq[0], seq[stride], ..., seq[high-1]]
>>> seq[low:high:stride] # [seq[low], seq[low+stride], ..., seq[high-1]]
当然,如果(high-low)%stride != 0
,那么终点将比high-1
稍低。
如果stride
为负值,排序会稍微改变一点,因为我们正在倒计时:
>>> seq[::-stride] # [seq[-1], seq[-1-stride], ..., seq[0] ]
>>> seq[high::-stride] # [seq[high], seq[high-stride], ..., seq[0] ]
>>> seq[:low:-stride] # [seq[-1], seq[-1-stride], ..., seq[low+1]]
>>> seq[high:low:-stride] # [seq[high], seq[high-stride], ..., seq[low+1]]
扩展切片(带有逗号和省略号)大多数只使用特殊的数据结构(如Numpy)。 基本序列不支持它们。
>>> class slicee:
... def __getitem__(self, item):
... return `item`
...
>>> slicee()[0, 1:2, ::5, ...]
'(0, slice(1, 2, None), slice(None, None, 5), Ellipsis)'
链接地址: http://www.djcxy.com/p/695.html