Problem: 76. 最小覆盖子串
文章目录
- 思路 & 解题方法
- 复杂度
- Code
思路 & 解题方法
窗口左右边界为i和j,初始值都为0,j一直往右搜索,然后记录一下窗口内的字符是否达到了全部覆盖,如果达到了,那么就开始i往右搜索,找最短的子串,直到不满足全部覆盖了,那么再继续搜j
复杂度
时间复杂度:
添加时间复杂度, 示例: O ( n ) O(n) O(n)
空间复杂度:
添加空间复杂度, 示例: O ( n ) O(n) O(n)
Code
class Solution:def minWindow(self, s: str, t: str) -> str:need = collections.defaultdict(int)for ch in t:need[ch] += 1count = len(t)i = 0res = (0, math.inf)for j, ch in enumerate(s):if need[ch] > 0:count -= 1need[ch] -= 1if count == 0: # 包含了所以元素了while True:c = s[i]if need[c] == 0:breakneed[c] += 1i += 1if j - i < res[1] - res[0]:res = (i, j)need[s[i]] += 1i += 1count += 1if res[1] == math.inf:return ""else:return s[res[0]: res[1] + 1]