Leetcode_3_Longest Substring Without Repeating Characters
lihe opened this issue · 0 comments
lihe commented
Longest Substring Without Repeating Characters
Given a string, find the length of the longest substring without repeating characters.
Example 1:
Input: "abcabcbb"
Output: 3
Explanation: The answer is "abc", with the length of 3.
Example 2:
Input: "bbbbb"
Output: 1
Explanation: The answer is "b", with the length of 1.
Example 3:
Input: "pwwkew"
Output: 3
Explanation: 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.
题意:已知一个字符串,求该字符串的无重复字符的最长子串长度。
算法思路:
- 设置一个记录字符数量的字符哈希,
char_map
; - 设置一个记录当前满足条件的最长子串变量
word
; - 设置两个指针(记做指针
i
和指针begin
)指向字符串的第一个字符; - 设置最长满足条件的子串的长度
result
; - i指针向后逐个扫描字符串中的字符,在这个过程中,使用
char_map
,记录字符数量;- 如果
word
中没有出现过该字符:对word
尾部添加字符并检查result
是否需要更新; - 否则:
begin
指针向前移动,更新char_map
中的字符数量,直到字符s[i]
数量为1,更新word
,将word
赋值为begin
和i
之间的 子串。
- 如果
在整个过程之间,使用begin
和i
维护一个窗口,该窗口中的子串满足题目中的条件,窗口线性向前滑动,时间复杂度为O(n)
。
class Solution{
public:
int lengthOfLongestSubstring(std::string s){
int begin = 0;
int result = 0;
std::string word = "";
int char_map[128] = {0};
for(int i = 0; i < s.length(); i++){
char_map[s[i]]++;
if(char_map[s[i]] == 1){
word += s[i];
if(result < word.length()){
result = word.length();
}
}
else{
while(begin < i && char_map[s[i]] > 1){
char_map[s[begin]]--;
begin++;
}
word = "";
for(int j = begin;j <= i; j++){
word += s[j];
}
}
}
return result;
}
};