在 Python 中刪除字串中的第一個字元
Muhammad Waiz Khan
2023年1月30日
2021年2月7日
本教程將討論我們如何在 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