Bootstrap

滑动窗口问题——固定窗口长度长度 leetcode438. Find All Anagrams in a String

这个LeetCode编号是不是挺逗的,哈哈,但是不知道这个思路,真的就不好做喽
固定长度的字典,固定长度的滑动窗口是一个很好的思路

class Solution(object):
    def findAnagrams(self, s, p):
        res = []
        n, m = len(s), len(p)
        if n < m: return res
        phash, shash = [0]*123, [0]*123
        for x in p:
            phash[ord(x)] += 1
        for x in s[:m-1]:
            shash[ord(x)] += 1
        for i in range(m-1, n):
            shash[ord(s[i])] += 1
            if i-m >= 0:
                shash[ord(s[i-m])] -= 1
            if shash == phash:
                res.append(i - m + 1)
        return res
;