我想从字符串中删除第一个字符。有这样的功能吗?
>>> a = "BarackObama"
>>> print myfunction(4,a)
ckObama
>>> b = "The world is mine"
>>> print myfunction(6,b)
rld is mine
答案 0 :(得分:18)
是的,只需使用切片:
>> a = "BarackObama"
>> a[4:]
'ckObama'
文档在这里http://docs.python.org/tutorial/introduction.html#strings
答案 1 :(得分:13)
该功能可以是:
def cutit(s,n):
return s[n:]
然后你这样称呼它:
name = "MyFullName"
print cutit(name, 2) # prints "FullName"
答案 2 :(得分:8)
使用切片。
>>> a = "BarackObama"
>>> a[4:]
'ckObama'
>>> b = "The world is mine"
>>> b[6:10]
'rld '
>>> b[:9]
'The world'
>>> b[:3]
'The'
>>>b[:-3]
'The world is m'
您可以在官方教程中了解此功能和大多数其他语言功能:http://docs.python.org/tut/
答案 3 :(得分:4)
a = 'BarackObama'
a[4:] # ckObama
b = 'The world is mine'
b[6:] # rld is mine