Longest Substring with At Most Two Distinct Characters
Given a string, find the length of the longest substring T that contains at most 2 distinct characters.
For example, Given s = “eceba”,
T is "ece" which its length is 3.
Tips:
这道题给我们一个字符串,让我们求最多有两个不同字符的最长子串。
用哈希表来做,记录每个字符的出现次数,如果哈希表中的映射数量超过两个的时候,我们需要删掉一个映射。
比如此时哈希表中e有2个,c有1个,此时把b也存入了哈希表,那么就有三对映射了,这时我们的left是0,先从e开始,映射值减1,此时e还有1个,不删除,left自增1。这是哈希表里还有三对映射,此时left是1,那么到c了,映射值减1,此时e映射为0,将e从哈希表中删除,left自增1,然后我们更新结果为i - left + 1,以此类推直至遍历完整个字符串。
Code:
public class Solution {
public int lengthOfLongestSubstringTwoDistinct(String s) {
int res = 0, left = 0;
Map<Character, Integer> map = new HashMap<>();
for (int i = 0; i < s.length(); i++) {
char c = s.charAt(i);
if (!map.containsKey(s.charAt(i))) map.put(c, 0);
map.put(c, map.get(c) + 1);
while (map.size() > 2) {
char l = s.charAt(left);
map.put(l, map.get(l) - 1);
if (map.get(l) == 0) map.remove(l);
left++;
}
res = Math.max(res, i - left + 1);
}
return res;
}
}