Longest Substring Without Repeating Characters

来源:互联网 发布:离线翻译软件哪个好 编辑:程序博客网 时间:2024/05/23 00:09

Given a string, find the length of the longest substring without repeating characters. For example, the longest substring without repeating letters for "abcabcbb" is "abc", which the length is 3. For "bbbbb" the longest substring is "b", with the length of 1.

 

 

 

class Solution {public:const static int MAX = 256 + 10;int use[MAX];    int lengthOfLongestSubstring(string s) {if(s.size() == 0)return 0;for(int i = 0; i < MAX; i++)use[i] = 0;int start,end,rtv = 1;start = 0;end = 1;use[s[0]]++;for(; end < s.size(); ++end){use[s[end]]++;if(use[s[end]] > 1){while(use[s[end]] > 1)use[s[start++]]--;}rtv = max(rtv, end - start + 1);}return rtv;    }};


 

0 0