例如,有一个字符串。的例子。

我怎样才能去掉中间的字符,即M ?我不需要密码。我想知道:

Python中的字符串是否以特殊字符结尾? 哪个是更好的方法-从中间字符开始将所有内容从右向左移动或创建一个新字符串而不复制中间字符?


当前回答

Python 3.9+中引入了两个新的字符串删除方法

#str.removeprefix("prefix_to_be_removed")
#str.removesuffix("suffix_to_be_removed")

s='EXAMPLE'

在这个例子中,M的位置是3

s = s[:3] + s[3:].removeprefix('M')

OR

s = s[:4].removesuffix('M') + s[4:]

#output'EXAPLE'

其他回答

删除一个字符或子字符串一次(只删除第一次):

main_string = main_string.replace(sub_str, replace_with, 1)

注意:这里的1可以用任何int替换,表示要替换的出现次数。

这可能是最好的方法:

original = "EXAMPLE"
removed = original.replace("M", "")

不要担心转换字符之类的问题。大多数Python代码发生在更高的抽象级别上。

字符串是不可变的。但是你可以把它们转换成一个可变的列表,然后在你改变它之后再把它转换回字符串。

s = "this is a string"

l = list(s)  # convert to list

l[1] = ""    # "delete" letter h (the item actually still exists but is empty)
l[1:2] = []  # really delete letter h (the item is actually removed from the list)
del(l[1])    # another way to delete it

p = l.index("a")  # find position of the letter "a"
del(l[p])         # delete it

s = "".join(l)  # convert back to string

您还可以创建一个新字符串,就像其他人演示的那样,从现有字符串中取出所需字符以外的所有内容。

您可以简单地使用列表推导式。

假设你有字符串:my name is,你想删除字符m.使用以下代码:

"".join([x for x in "my name is" if x is not 'm'])

字符串在Python中是不可变的,所以这两个选项的意思基本上是一样的。