在 Python 中高效定位子字符串第 n 次出现
在 Python 中查找子字符串第 n 次出现的索引对于编码爱好者来说是一个看似简单的任务。为了以最Pythonic的方式实现这一点,让我们探索各种方法。
非重叠出现的迭代方法
一种简单而有效的方法是迭代搜索出现直到找到第 n 个:
<code class="python">def find_nth(haystack, needle, n): start = haystack.find(needle) while start >= 0 and n > 1: start = haystack.find(needle, start + len(needle)) n -= 1 return start</code>
此函数迭代大海捞针,并按针的长度递增起始索引,直到找到第 n 个出现的位置。
迭代重叠出现的方法
如果需要考虑重叠出现,可以修改迭代方法:
<code class="python">def find_nth_overlapping(haystack, needle, n): start = haystack.find(needle) while start >= 0 and n > 1: start = haystack.find(needle, start + 1) n -= 1 return start</code>
此函数将起始索引加 1,而不是针的长度,允许它搜索重叠的事件。
这两种方法都遵循 Python 的简单性、平坦性和可读性原则,使它们适合作为此问题的 Pythonic 解决方案。
以上是如何在 Python 中查找子字符串第 n 次出现?的详细内容。更多信息请关注PHP中文网其他相关文章!