Longest Substring Without Repeating Characters
Given a string, find the length of the longest substring without repeating characters.
Examples:
Given "abcabcbb", the answer is "abc", which the length is 3.
Given "bbbbb", the answer is "b", with the length of 1.
Given "pwwkew", the answer is "wke", with the length of 3. Note that the answer must be a substring, "pwke" is a subsequence and not a substring.
1.解题思路
本题借助HashMap实现。
1) 如果字符未出现过,则put(字符,index);
2) 如果字符出现过,则维护len=上次出现的index-遍历的起始点。
那问题就到了如何去定义遍历的起始点呢,我们当然可以从0开始,然后每次加1,但是通过下面的例子,我们很容易就发现这样会有很多情况冗余:
“abcdecf”
我们从index 0开始,到第二个字符c-index5,我们会发现已经存在,所以len,5-0=5;但如果我们之后index从1开始,我们会发现必然还会在index5这边停止,为了减少这种冗余,我们想到可以在一次重复后,将start置为重复元素Index+1,这里就是index3-d, 这样我们在碰到已经存在的字符时,就要再加上一个判断,看其上一次出现是否在start之前,如果在start之前,则不作考虑,直接Put进新的位置;如果是在start之后,则就表明确实遇到了重复点。
注意点:
1)每次都要更新字符的位置;
2)最后返回时,一定要考虑到从start到s.length(字符串末尾)都没有遇到重复字符的情况,所欲需要比较下maxLen和s.length()-start的大小。
2.代码
public class Solution {
public int lengthOfLongestSubstring(String s) {
if(s.length()==0) return 0;
HashMap<Character,Integer> hm=new HashMap<Character,Integer>();
int start=0;
int maxLen=1;
for(int i=0;i<s.length();i++){
if(hm.containsKey(s.charAt(i))&&hm.get(s.charAt(i))>=start){
int len=i-start;
maxLen=Math.max(maxLen,len);
start=hm.get(s.charAt(i))+1;
}
hm.put(s.charAt(i),i);
}
return Math.max(maxLen,s.length()-start);
}
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。