给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 1:
输入: "abcabcbb"
输出: 3
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。
示例 2:
输入: "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。
示例 3:
输入: "pwwkew"
输出: 3
解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。
请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
用到了滑动窗口和hash散列的方法。
int lengthOfLongestSubstring(char * s)
{
int l=strlen(s);
int res=0,index[128]={0},start=0,ed=0;
memset(index,0,sizeof(index));
while(start<=ed&&ed<l)
{
while(ed<l&&!index[s[ed]])
{
index[s[ed]]++;
ed++;
}
res=res<(ed-start)?(ed-start):res;
index[s[start]]--;
start++;
}
res=res<(ed-start)?(ed-start):res;
return res;
}
看到评论区有个双百的选手,就看了他的方法。我们原本是在hash数组里面存放的是某个字符是是否在我们所框定的那个字符串里出现过,但是改进过的方法是在hash数组里面存放当遇到这个重复的字符,应该把我们所框定的起点接下来要移向的位置。
代码如下。
int lengthOfLongestSubstring(char *s)
{
int res=0,index[128]={0},start=0,i;
for(i=0;s[i]!='\0';i++)
{
if(start<index[s[i]])
{
res=res<(i-start)?(i-start):res;
start=index[s[i]];
}
index[s[i]]=i+1;
}
res=res<(i-start)?(i-start):res;
return res;
}