Python: 在字符串中查找子字符串并返回子字符串的索引

我有:

  • 函数: def find_str(s, char)

  • 和一个字符串: "Happy Birthday",

我实际上想要输入 "py"并返回 3,但是我一直让 2返回。

密码:

def find_str(s, char):
index = 0
if char in s:
char = char[0]
for ch in s:
if ch in s:
index += 1
if ch == char:
return index


else:
return -1


print(find_str("Happy birthday", "py"))

不知道怎么了!

252246 次浏览

理想情况下,你会使用 Str.find或者 Str.index ,就像疯狂的刺猬说的那样。但是你说你不能..。

您的问题是您的代码只搜索您的搜索字符串的第一个字符,它(第一个字符)位于索引2。

你基本上是说,如果 char[0]是在 s,增加 index直到 ch == char[0]返回3当我测试它,但它仍然是错误的。有个办法。

def find_str(s, char):
index = 0


if char in s:
c = char[0]
for ch in s:
if ch == c:
if s[index:index+len(char)] == char:
return index


index += 1


return -1


print(find_str("Happy birthday", "py"))
print(find_str("Happy birthday", "rth"))
print(find_str("Happy birthday", "rh"))

它产生了以下产出:

3
8
-1

在字符串对象上有一个内置方法 找到

s = "Happy Birthday"
s2 = "py"


print(s.find(s2))

Python 是一种“包含电池的语言”,已经有代码可以完成大部分你想要的任务(任何你想要的)。.除非这是家庭作业:)

如果找不到字符串,则 find返回 -1。

来晚了,正在寻找相同的,因为“在”是无效的,我刚刚创建了以下。

def find_str(full, sub):
index = 0
sub_index = 0
position = -1
for ch_i,ch_f in enumerate(full) :
if ch_f.lower() != sub[sub_index].lower():
position = -1
sub_index = 0
if ch_f.lower() == sub[sub_index].lower():
if sub_index == 0 :
position = ch_i


if (len(sub) - 1) <= sub_index :
break
else:
sub_index += 1


return position


print(find_str("Happy birthday", "py"))
print(find_str("Happy birthday", "rth"))
print(find_str("Happy birthday", "rh"))

产生了

3
8
-1

删除较低()的情况下不敏感的发现不需要。

没有直接回答这个问题,但是我最近得到了一个类似的问题,我被要求计算一个子字符串在给定字符串中重复的次数。下面是我写的函数:

def count_substring(string, sub_string):
cnt = 0
len_ss = len(sub_string)
for i in range(len(string) - len_ss + 1):
if string[i:i+len_ss] == sub_string:
cnt += 1
return cnt

Find ()函数可能只返回第一次出现的索引。存储索引而不仅仅是计数,可以为我们提供子字符串在字符串中重复的不同的索引集。

免责声明: 我对 Python 编程“非常”新。

使用 find()添加到@狂刺猬答案

效率而言

在调用 find()之前,可能需要首先检查 s1是否在 s2中。
如果您知道大多数时候 s1不是 s2的子字符串,那么这样做会更有效

因为 in操作符是非常有效的

 s1 in s2

转换的效率可能更高:

index = s2.find(s1)

index = -1
if s1 in s2:
index = s2.find(s1)

这对于 find()大量返回 -1非常有用。

由于 find()在我的算法中被调用了很多次,所以我发现它的速度大大加快了,所以我认为它值得一提

正则表达式中还有另一个选项,即 search方法

import re


string = 'Happy Birthday'
pattern = 'py'
print(re.search(pattern, string).span()) ## this prints starting and end indices
print(re.search(pattern, string).span()[0]) ## this does what you wanted

顺便说一下,如果您想找到一个模式的所有出现,而不是只有第一个,您可以使用 finditer 方法

import re


string = 'i think that that that that student wrote there is not that right'
pattern = 'that'


print([match.start() for match in re.finditer(pattern, string)])

它将打印所有比赛的起始位置。

这里有一个简单的方法:

my_string = 'abcdefg'
print(text.find('def'))

产出:

3

我的子串不在那里,你会得到 -1。 例如:

my_string = 'abcdefg'
print(text.find('xyz'))

产出:

-1

有时,如果子字符串不存在,可能需要引发异常:

my_string = 'abcdefg'
print(text.index('xyz')) # It returns an index only if it's present

产出:

追溯(最近一次通话) :

文件“ test.py”中的第6行 Print (text.index (‘ xyz’))

找不到子字符串