提问人:William Xing 提问时间:6/20/2012 最后编辑:ParadoxWilliam Xing 更新时间:11/17/2023 访问量:159985
如何在字符串中找到字符并获取所有索引?
How to find char in string and get all the indexes?
问:
我得到了一些简单的代码:
def find(str, ch):
for ltr in str:
if ltr == ch:
return str.index(ltr)
find("ooottat", "o")
该函数仅返回第一个索引。如果我将 return 更改为 print,它将打印 0 0 0。为什么会这样,有什么办法可以得到吗?0 1 2
答:
这是因为将返回第一次出现的索引。尝试:str.index(ch)
ch
def find(s, ch):
return [i for i, ltr in enumerate(s) if ltr == ch]
这将返回您需要的所有索引的列表。
P.S. Hugh 的回答显示了一个生成器函数(如果索引列表可以变大,它会有所不同)。也可以通过将此功能更改为 来调整此功能。[]
()
评论
enumerate
ch = '&#'
s = Народ
enumerate
s
ltr == ch
True
ch
def find_offsets(haystack, needle):
"""
Find the start of all (possibly-overlapping) instances of needle in haystack
"""
offs = -1
while True:
offs = haystack.find(needle, offs+1)
if offs == -1:
break
else:
yield offs
for offs in find_offsets("ooottat", "o"):
print offs
结果
0
1
2
Lev 的答案是我会使用的答案,但是这里有一些基于您的原始代码的内容:
def find(str, ch):
for i, ltr in enumerate(str):
if ltr == ch:
yield i
>>> list(find("ooottat", "o"))
[0, 1, 2]
我会选择 Lev,但值得指出的是,如果您最终得到更复杂的搜索,那么使用 re.finditer 可能值得牢记(但 re 通常造成的麻烦多于价值 - 但有时知道起来很方便)
test = "ooottat"
[ (i.start(), i.end()) for i in re.finditer('o', test)]
# [(0, 1), (1, 2), (2, 3)]
[ (i.start(), i.end()) for i in re.finditer('o+', test)]
# [(0, 3)]
你可以试试这个
def find(ch,string1):
for i in range(len(string1)):
if ch == string1[i]:
pos.append(i)
x = "abcdabcdabcd"
print(x)
l = -1
while True:
l = x.find("a", l+1)
if l == -1:
break
print(l)
评论
根据经验,NumPy 数组在处理 POD(普通旧数据)时通常优于其他解决方案。字符串是 POD 的一个例子,也是一个字符。要查找字符串中只有一个字符的所有索引,NumPy ndarrays 可能是最快的方法:
def find1(str, ch):
# 0.100 seconds for 1MB str
npbuf = np.frombuffer(str, dtype=np.uint8) # Reinterpret str as a char buffer
return np.where(npbuf == ord(ch)) # Find indices with numpy
def find2(str, ch):
# 0.920 seconds for 1MB str
return [i for i, c in enumerate(str) if c == ch] # Find indices with python
评论
这是 Mark Ransom 答案的略微修改版本,如果长度可能超过一个字符,则有效。ch
def find(term, ch):
"""Find all places with ch in str
"""
for i in range(len(term)):
if term[i:i + len(ch)] == ch:
yield i
所有其他答案都有两个主要缺陷:
- 他们通过字符串执行 Python 循环,这非常慢,或者
- 他们使用 numpy,这是一个相当大的额外依赖项。
def findall(haystack, needle):
idx = -1
while True:
idx = haystack.find(needle, idx+1)
if idx == -1:
break
yield idx
这遍历了 查找 ,始终从上一次迭代结束的地方开始。它使用内置的,这比逐个字符迭代要快得多。它不需要任何新的导入。haystack
needle
str.find
haystack
评论
def find_idx(str, ch):
yield [i for i, c in enumerate(str) if c == ch]
for idx in find_idx('babak karchini is a beginner in python ', 'i'):
print(idx)
输出:
[11, 13, 15, 23, 29]
只需一行即可获得所有位置
word = 'Hello'
to_find = 'l'
# in one line
print([i for i, x in enumerate(word) if x == to_find])
点缀@Lev和@Darkstar发布的五星单行文字:
word = 'Hello'
to_find = 'l'
print(", ".join([str(i) for i, x in enumerate(word) if x == to_find]))
这只会使索引号的分离更加明显。
结果将是: 2, 3
我认为这是最简单的方法:
def find(ch, string1):
return [i for i in range(len(string1)) if string1[i]==ch]
没有外部库,只有简单的python =)
评论
str