LeetCode 3-无重复字符的最长子串
给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 :
输入: "abcabcbb"
输出: 3
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。
输入: "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。
输入: "pwwkew"
输出: 3
解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。
请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters
题解:
可以看成一个滑动窗口的问题,维护头尾两个指针,中间的部分就是当前满足条件的子串,为了保证不重复,维护一个hash_set结构,具体实现如下:
构建num数组,记录每个字母最后出现的位置,
start,end双指针,记录当前区间,
每次右移end,查找end位置的字母是否在start到end区间中出现过(出现过体现为该字母在num中的记录在start右侧),如果没有出现过则将该字母加入集合,出现过则将start指针跳转到最后出现的位置右侧。
class Solution {
public:
int lengthOfLongestSubstring(string s) {
int len=s.length();
//cout<<len<<endl;
if(len<=1) return len;
int num[128];
memset(num,-1,sizeof(num));
int start=0,end=0,max=0;
while(end<len){
int tmp = s[end];
if(num[tmp]<start){
num[tmp]=end;
if(end-start+1>max) max=end-start+1;
}
else{
start=num[tmp]+1;
num[tmp]=end;
}
end++;
}
return max;
}
};