在Python 中尋找子字串的所有出現
在Python 中,您可以使用string.find() 和string.rfind ()檢索較大字串中子字串索引的方法。但是,沒有專門設計用於傳回子字串的所有出現位置的內建函數。
使用正規表示式
找出多個子字串的更強方法events 是使用正規表示式:
import re # Sample string string = "test test test test" # Find all occurrences of "test" matches = [m.start() for m in re.finditer('test', string)] print(matches) # Output: [0, 5, 10, 15]
re.finditer產生一個生成器,產生單一匹配對象。每個匹配對像都提供匹配子字串的起始索引。
考慮重疊匹配
預設情況下,re.finditer 會尋找非重疊匹配。要尋找重疊匹配,請使用正向前瞻:
matches = [m.start() for m in re.finditer('(?=tt)', 'ttt')] print(matches) # Output: [0, 1]
表達式 (?=tt) 斷言子字串「tt」出現在目前位置,但不消耗它。
反向查找所有而不重疊
要執行反向查找所有而不重疊匹配,請合併正向和負向前瞻:
search = 'tt' matches = [m.start() for m in re.finditer('(?=%s)(?!.{1,%d}%s)' % (search, len(search)-1, search), 'ttt')] print(matches) # Output: [1]
此表達式確保「tt」立即出現在遊標之後,但不在反向的某個回溯範圍(len(search)-1)內。
以上是如何在 Python 中尋找子字串的所有出現位置?的詳細內容。更多資訊請關注PHP中文網其他相關文章!