在 Python 中删除字符串中的第一个字符

Muhammad Waiz Khan 2023年1月30日
  1. 在 Python 中使用切片从字符串中删除第一个字符
  2. 在 Python 中使用 str.lstrip() 方法从字符串中删除第一个字符
  3. 在 Python 中使用 regex 方法从字符串中删除第一个字符
在 Python 中删除字符串中的第一个字符

本教程将讨论我们如何在 Python 中使用多种方法从字符串中删除第一个字符。请注意,Python 中的字符串是不可改变的,这意味着我们不能在 Python 中对字符串进行更改。因此,为了从字符串中删除一个字符,我们将创建一个新的字符串,这个新的字符串不会有我们想要删除的第一个字符。

在 Python 中使用切片从字符串中删除第一个字符

如果我们想从字符串中删除第一个或某些特定的字符,我们可以使用切片方法 - str[1:] 来删除该字符。str[1:] 得到除第一个字符外的整个字符串。

例如,我们需要从字符串 hhello 中删除第一个字符。

string = "hhello"
new_string = string[1:]
print(new_string)

输出:

hello

在 Python 中使用 str.lstrip() 方法从字符串中删除第一个字符

str.lstrip() 方法接受一个或多个字符作为输入,从字符串的开头删除它们,并返回一个新的字符串,其中包括删除的字符。但要注意的是,如果字符一次或多次出现在字符串的开头,str.lstrip() 方法将删除这些字符。

下面的示例代码演示了我们如何使用 str.lstrip() 方法从字符串的开头删除字符。

string = "Hhello world"
new_string = string.lstrip("H")
print(new_string)

string = "HHHHhello world"
new_string = string.lstrip("H")
print(new_string)

输出:

hello world
hello world

在 Python 中使用 regex 方法从字符串中删除第一个字符

re 库的 re.sub() 方法也可以用来从字符串中删除第一个字符。re.sub() 方法用第二个参数替换所有与给定的正则表达式模式参数匹配的字符。

示例代码:

import re

string = "Hhello world"
new_string = re.sub(r".", "", string, count=1)
print(new_string)

在上面的代码中,count = 1 指定了 re.sub 方法,最多只替换一次给定的模式。

输出:

hello world

相关文章 - Python String