题目:
给定一个字符串 s 和一个非空字符串 p,找到 s 中所有是 p 的字母异位词的子串,返回这些子串的起始索引。
字符串只包含小写英文字母,并且字符串 s 和 p 的长度都不超过 20100。
说明:
字母异位词指字母相同,但排列不同的字符串。
不考虑答案输出的顺序。
示例 1:
输入:
s: “cbaebabacd” p: “abc”
输出:
[0, 6]
解释:
起始索引等于 0 的子串是 “cba”, 它是 “abc” 的字母异位词。
起始索引等于 6 的子串是 “bac”, 它是 “abc” 的字母异位词。
示例 2:
输入:
s: “abab” p: “ab”
输出:
[0, 1, 2]
解释:
起始索引等于 0 的子串是 “ab”, 它是 “ab” 的字母异位词。
起始索引等于 1 的子串是 “ba”, 它是 “ab” 的字母异位词。
起始索引等于 2 的子串是 “ab”, 它是 “ab” 的字母异位词。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/find-all-anagrams-in-a-string
方法一:滑动窗口法
class Solution:
def findAnagrams(self, s: str, p: str) -> List[int]:
'''
滑动窗口
'''
result = [] # 结果列表
windows = {} # 滑动窗口统计字符个数的字典
target = {} # 目标字符创p统计字符个数的字典
left = right = 0 # 左右指针
s_len, p_len = len(s), len(p)
# 统计p中相应字符的个数
for i in p:
target[i] = target.get(i,0) + 1
# 滑动窗口判断
while right < s_len:
temp = s[right]
# 如果遇到不属于p中的字符,清除windows字典
if temp not in p:
windows.clear()
# 从下一个位置重新开始统计
left = right = right + 1
else:
# 滑动窗口加入该字符的个数
windows[temp] = windows.get(temp,0) + 1
# 判断是否长度到达p的长度
if right - left + 1 == p_len:
# 判断滑窗和p字符数是否相同
if windows == target:
# 若相同则将left值加入列表result
result.append(left)
# 滑动窗口右移,left所指的字符个数减1
windows[s[left]] -= 1
# 左指针右移
left += 1
right += 1
return result
1.字典的遍历方法:
https://blog.csdn.net/qq_33867131/article/details/80745926
2. 字符创的遍历方法:
https://blog.csdn.net/zy345293721/article/details/89893279
3. 字典get()方法:
https://www.runoob.com/python/att-dictionary-get.html
方法二:(穷举法,超出时间限制)
class Solution:
def findAnagrams(self, s, p):
"""
:type s: str
:type p: str
:rtype: List[int]
"""
import itertools
result = []
p_len, s_len = len(p), len(s)
if s_len < p_len:
return result
p_per = []
for i in itertools.permutations(p): #通过itertools中的permutations产生所有组合
p_per.append(''.join(i))
for i in range(s_len):
if i + p_len <= s_len and s[i:i + p_len] in p_per:
result.append(i)
return result
- itertools用法
https://www.jianshu.com/p/d6b4fc7282c3