LC-76
Posted ML李嘉图
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LC-76相关的知识,希望对你有一定的参考价值。
给你一个字符串 s 、一个字符串 t 。返回 s 中涵盖 t 所有字符的最小子串。如果 s 中不存在涵盖 t 所有字符的子串,则返回空字符串 "" 。
注意:
对于 t 中重复字符,我们寻找的子字符串中该字符数量必须不少于 t 中该字符数量。
如果 s 中存在这样的子串,我们保证它是唯一的答案。
示例 1:
输入:s = "ADOBECODEBANC", t = "ABC"
输出:"BANC"
示例 2:
输入:s = "a", t = "a"
输出:"a"
示例 3:
输入: s = "a", t = "aa"
输出: ""
解释: t 中两个字符 \'a\' 均应包含在 s 的子串中,
因此没有符合条件的子字符串,返回空字符串。
提示:
1 <= s.length, t.length <= 105
s 和 t 由英文字母组成
进阶:你能设计一个在 o(n) 时间内解决此问题的算法吗?
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/minimum-window-substring
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
利用ASCII码来映射(双指针)
public class LC76
public static void main(String[] args)
String s = "ADOBECODEBANC";
String t = "ABC";
System.out.println(minWindow(s, t));
System.out.println(Solution.minWindow(s, t));
/**
* @param s
* @param t
* @return
*/
public static String minWindow(String s, String t)
char[] chars = s.toCharArray();
char[] chart = t.toCharArray();
int sLength = chars.length, tLength = chart.length;
String res = "";
int countMin = 0;
int[] hash = new int[128];
for (int i = 0; i < tLength; i++)
hash[chart[i]]--;
for (int fastIndex = 0, slowIndex = 0; fastIndex < sLength; fastIndex++)
hash[chars[fastIndex]]++;
if (hash[chars[fastIndex]] <= 0) countMin++;
while (countMin == tLength && hash[chars[slowIndex]] > 0)
hash[chars[slowIndex++]]--;
if (countMin == tLength)
if (res.equals("") || res.length() > fastIndex - slowIndex + 1)
res = s.substring(slowIndex, fastIndex + 1);
return res;
class Solution
/**
* @param s
* @param t
* @return
*/
public static String minWindow(String s, String t)
//字符串转回字符数组
char[] chars = s.toCharArray();
char[] chart = t.toCharArray();
int sLength = chars.length, tLength = chart.length;
//如果 s 中不存在涵盖 t 所有字符的子串,则返回空字符串 ""
String res = "";
//最小子串,计数变量
int countMin = 0;
//利用ASCII码来映射,t中含有的字符--
int[] hash = new int[128];
//t中含有的字符,hash数组中赋值-n,t中可能重复字符
for (int i = 0; i < tLength; i++)
hash[chart[i]]--;
//开始判断
for (int fastIndex = 0, slowIndex = 0; fastIndex < sLength; fastIndex++)
//s中有,相应的位置++
hash[chars[fastIndex]]++;
//这个位置映射的数字要是还是小于0,表明有相同的字符
if (hash[chars[fastIndex]] <= 0) countMin++;
//如果这个子字符串已经有了所有的t中的字符,映射位置flag数值还原
while (countMin == tLength && hash[chars[slowIndex]] > 0)
hash[chars[slowIndex++]]--;
//如果计数等于t的长度,返回结果
if (countMin == tLength)
//判断是否是不存在
if (res.equals("") || res.length() > fastIndex - slowIndex + 1)
res = s.substring(slowIndex, fastIndex + 1);
return res;
以上是关于LC-76的主要内容,如果未能解决你的问题,请参考以下文章