首页 > 代码库 > 【Leetcode】Longest Substring Without Repeating Characters
【Leetcode】Longest Substring Without Repeating Characters
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.
贪心。
方法一:
用一个表记录出现过的字符,设置一个窗口向前推进,遇到重复字符,将窗口开始位置后移一位。
1 class Solution { 2 public: 3 int lengthOfLongestSubstring(string s) { 4 int n = s.size(); 5 int ans = 0; 6 bool exist[256]; 7 memset(exist, false, sizeof(exist)); 8 int start = 0, end = 0; 9 while (end < n && start + ans < n) {10 if (exist[s[end]]) {11 exist[s[start++]] = false;12 } else {13 exist[s[end++]] = true;14 }15 ans = max(ans, end - start);16 }17 return ans;18 }19 };
方法二:
用一个index数组记录每个字符上一次出现的位置,同样是设置窗口并移动,但是遇到重复字符字符时就可以知道重复字符上次出现的位置,将开始位置移到该位置之后。
1 class Solution { 2 public: 3 int lengthOfLongestSubstring(string s) { 4 int n = s.size(); 5 int ans = 0; 6 int index[256]; 7 memset(index, -1, sizeof(index)); 8 int start = 0, end = 0; 9 while (end < n && start + ans < n) {10 if (index[s[end]] < start) {11 index[s[end]] = end;12 ++end;13 ans = max(ans, end - start);14 } else {15 start = index[s[end]] + 1;16 }17 }18 return ans;19 }20 };
【Leetcode】Longest Substring Without Repeating Characters
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。