LeetCode 3 Longest Substring Without Repeating Characters

题目链接:

https://leetcode.com/problems/longest-substring-without-repeating-characters/


题目大意:

就是需找给出的串中最长的不包含重复字符的连续子串的最大长度


大致思路:

我是用一个bool[256]的数组记录每个字符是否出现过,然后贪心

用last表示对于当前位置i, 以位置i结尾的串的最左起点位置,使得last到i这段不包含重复字符

于是用贪心做一下就好了

时间复杂度O(n) n是字符串长度


代码如下:

Result  :  Accepted     Time  :  16 ms

class Solution {
public:
    int lengthOfLongestSubstring(string s) {
        int total_length = s.length();
        if(total_length == 0) return 0;
        int ans = 1;
        bool* vis = new bool[256];
        for(int i = 0; i < 256; i++) vis[i] = false;
        int last = 0;
        vis[s[0]] = true;
        for(int i = 1; i < total_length; i++){
            if(!vis[s[i]]){
                vis[s[i]] = true;
                ans = max(ans, i - last + 1);
            }
            else{
                while(last != i && vis[s[i]]){
                    vis[s[last]] = false;
                    last++;
                }
                vis[s[i]] = true;
            }
            
        }
        delete[] vis;
        return ans;
    }
};


你可能感兴趣的:(LeetCode,LeetCode,3)