Python 中 如何获取字符串的子字符串?

Python Slice

最方便的还是采用Python slicing(切片) 功能

>>> x = "Hello World!"
>>> x[2:]
'llo World!'
>>> x[:2]
'He'
>>> x[:-2]
'Hello Worl'
>>> x[-2:]
'd!'
>>> x[2:-2]
'llo Worl'Code language: JavaScript (javascript)

Python slicing(切片) 语法为:

a[start:stop]  # items start through stop-1
a[start:]      # items start through the rest of the array
a[:stop]       # items from the beginning through stop-1
a[:]           # a copy of the whole arrayCode language: PHP (php)

还有一个step值,它可以与上述任何一个一起使用:

a[start:stop:step] # start through not past stop, by stepCode language: CSS (css)

stop值表示不在所选切片中的第一个值。因此,stopstart之间的差异是所选元素的数量(如果step是 1,则默认值)。

另一个特点是start或者stop可能是一个负数,这意味着它从数组的末尾而不是开头开始计数。所以:

a[-1]    # last item in the array
a[-2:]   # last two items in the array
a[:-2]   # everything except the last two itemsCode language: PHP (php)

同样,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, reversedCode language: PHP (php)

a[:-2] ,如果a只包含一个元素,Python 会返回一个空列表而不是错误

与slice对象的关系

一个slice对象可以表示一个切片操作,即:

a[start:stop:step]Code language: CSS (css)

相当于:

a[slice(start, stop, step)]Code language: CSS (css)

根据参数的数量,slice对象的行为也略有不同,类似于range(),即同时支持slice(stop)````和slice(start, stop[, step])。 要跳过指定给定参数,可以使用None, 以便a[start:]等价于a[slice(start, None)]a[::-1]等价于a[slice(None, None, -1)]“`。

发表评论