我是Python的新手,但我有一个简单的问题。我知道我可以使用lstrip()从字符串中去除前导空格/制表符。但是让我说我有一个字符串str:
str = '+ 12 3'
我希望结果是
'+12 3'
我想通过在原始字符串的子字符串上调用lstrip来实现此目的:
str[1:] = str[1:].lstrip()
但是我收到以下错误:
Traceback (most recent call last):
File "ex.py", line 51, in <module>
print(Solution().myAtoi(' 12 3'))
File "ex.py", line 35, in myAtoi
str[x:] = str[x:].lstrip()
TypeError: 'str' object does not support item assignment
有没有办法用lstrip()来实现这个目的?或者我应该研究另一种方法吗?
为了记录,这只是一个leetcode练习题,我试图用Python编写它来自学 - 有些朋友说它值得学习
谢谢! :d
答案 0 :(得分:3)
您可以在 str.lstrip
之前调用字符串部分的+
,然后将第一个字符连接起来:
>>> s = '+ 12 3'
>>> s = s[0] + s[1:].lstrip()
>>> s
'+12 3'
答案 1 :(得分:2)
您可以使用正则表达式:
import re
data = re.sub("(?<=\+)\s+", '', '+ 12 3')
输出:
'+12 3'
说明:
(?<=\+) #is a positive look-behind
\s+ #will match all occurrences of white space unit a different character is spotted.
答案 2 :(得分:1)
str
是一种不可变类型。您无法更改现有字符串。您可以构建一个新字符串并重新分配变量句柄(按名称)。 Christian
已经为您提供了构建所需字符串的详细信息。