Python程序检查一个字符串是否是另一个字符串的子字符串
给定两个字符串s1 和 s2,判断 s1 是否是 s2 的子字符串。如果是,则返回第一次出现的索引,否则返回 -1。
例子 :
Input: s1 = "for", s2 = "geeksforgeeks"
Output: 5
Explanation:
String "for" is present as a substring
of s2.
Input: s1 = "practice", s2 = "geeksforgeeks"
Output: -1.
Explanation:
There is no occurrence of "practice" in
"geeksforgeeks"
简单方法:想法是从头到尾运行一个循环,并为给定字符串中的每个索引检查是否可以从该索引形成子字符串。这可以通过运行一个遍历给定字符串的嵌套循环来完成,并在该循环中运行另一个循环检查每个索引中的子字符串。
例如,假设有一个长度为 N 的字符串和一个长度为 M 的子字符串。然后运行一个嵌套循环,其中外循环从 0 到 (NM),内循环从 0 到 M。对于非常索引检查是否内循环遍历的子串是否是给定的子串。
Python3
# Python3 program to check if
# a string is substring of other.
# Returns true if s1 is substring
# of s2
def isSubstring(s1, s2):
M = len(s1)
N = len(s2)
# A loop to slide pat[] one by one
for i in range(N - M + 1):
# For current index i,
# check for pattern match
for j in range(M):
if (s2[i + j] != s1[j]):
break
if j + 1 == M :
return i
return -1
# Driver Code
if __name__ == "__main__":
s1 = "for"
s2 = "geeksforgeeks"
res = isSubstring(s1, s2)
if res == -1 :
print("Not present")
else:
print("Present at index " + str(res))
# This code is contributed by ChitraNayal
Python3
# Python3 program for the above approach
def Substr(Str, target):
t = 0
Len = len(Str)
i = 0
# Iterate from 0 to Len - 1
for i in range(Len):
if (t == len(target)):
break
if (Str[i] == target[t]):
t += 1
else:
t = 0
if (t < len(target)):
return -1
else:
return (i - t)
# Driver code
print(Substr("GeeksForGeeks", "Fr"))
print(Substr("GeeksForGeeks", "For"))
# This code is contributed by avanitrachhadiya2155
输出:
Present at index 5
复杂性分析:
- 时间复杂度: O(m * n) 其中 m 和 n 分别是 s1 和 s2 的长度。
使用嵌套循环,外循环从 0 到 NM,内循环从 0 到 M,因此复杂度为 O(m*n)。 - 空间复杂度: O(1)。
因为不需要额外的空间。
一个有效的解决方案是使用 O(n) 搜索算法,如KMP 算法、 Z 算法等。
语言实现:
- Java子字符串
- C++ 中的子串
- Python查找
另一个有效的解决方案:
- 一个有效的解决方案将只需要一次遍历,即在较长的字符串s1 上的 O(n)。在这里,我们将开始遍历字符串s1 并从第 0 个索引处维护字符串s2 的指针。
- 对于每次迭代,我们比较 s1 中的当前字符并用 s2 处的指针检查它。
- 如果它们匹配,我们将 s2 上的指针加 1。对于每个不匹配,我们将指针设置回 0。
- 还要检查 s2 指针值何时等于字符串s2 的长度,如果为真,我们将中断并返回值(字符串s1 的指针 -字符串s2 的指针)
- 适用于包含重复字符的字符串。
Python3
# Python3 program for the above approach
def Substr(Str, target):
t = 0
Len = len(Str)
i = 0
# Iterate from 0 to Len - 1
for i in range(Len):
if (t == len(target)):
break
if (Str[i] == target[t]):
t += 1
else:
t = 0
if (t < len(target)):
return -1
else:
return (i - t)
# Driver code
print(Substr("GeeksForGeeks", "Fr"))
print(Substr("GeeksForGeeks", "For"))
# This code is contributed by avanitrachhadiya2155
输出:
18
复杂性分析:
上面代码的复杂度在最坏的情况下仍然是 O(n*m),空间复杂度是 O(1)。
请参阅有关检查字符串是否为另一个字符串的完整文章以获取更多详细信息!