练题呀练题
【滑动窗口】 给你一个字符串 s 、一个字符串 t 。返回 s 中涵盖 t 所有字符的最小子串。如果 s 中不存在涵盖 t 所有字符的子串,则返回空字符串 “” 。
注意:
对于 t 中重复字符,我们寻找的子字符串中该字符数量必须不少于 t 中该字符数量。 如果 s 中存在这样的子串,我们保证它是唯一的答案。 输入:s = “ADOBECODEBANC”, t = “ABC” 输出:“BANC”
链接:https://leetcode-cn.com/problems/minimum-window-substring
在这里插入代码片
class Solution {
public static String minWindow(String s, String t) {
int[] need = new int[128];
for (int i = 0; i < t.length(); i++)
need[t.charAt(i)]++;
int count = t.length();
int size = Integer.MAX_VALUE;
int start = 0;
int l = 0,r = 0;
while (r < s.length())
{
char c = s.charAt(r);
if (need[c] > 0)
count--;
need[c]--;
if (count == 0)
{
while (l < r && need[s.charAt(l)] < 0){
need[s.charAt(l++)]++;
}
if (r - l + 1 < size)
{
size = r - l + 1;
start = l;
}
need[s.charAt(l++)]++;
count++;
}
r++;
}
return size == Integer.MAX_VALUE ? "": s.substring(start,start+size);
}
}
|