LeetCode-03 :无重复字符的最长子串长度

LeetCode-03 :无重复字符的最长子串长度

题目描述

给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。

示例 1:

输入: “abcabcbb”
输出: 3
解释: 因为无重复字符的最长子串是 “abc”,所以其长度为 3。
示例 2:

输入: “bbbbb”
输出: 1
解释: 因为无重复字符的最长子串是 “b”,所以其长度为 1。
示例 3:

输入: “pwwkew”
输出: 3
解释: 因为无重复字符的最长子串是 “wke”,所以其长度为 3。
请注意,你的答案必须是 子串 的长度,“pwke” 是一个子序列,不是子串。

暴力解法

算法思想:
用两个循环穷举所有子串,然后再用一个函数判断该子串中有没有重复的字符。
时间复杂度为:O(n^3)

// An highlighted block
class Solution {
public:
    int lengthOfLongestSubstring(string s) {
        //暴力解法
        int count=0;
        for(int i=0;i<s.length();i++)
        {
            for(int j=i+1;j<=s.length();j++)
            {
                if(isUnique(s,i,j))
                    count=max(count,j-i);
            }
        }
        return count;
public:
  //判断当前子串中有无重复字符
    bool isUnique(string s,int start,int end)
    {
        set<char> mset ;
        for(int i=start;i<end;i++)
        {
            char ch=s[i];
            set<char>::iterator it;
            it = mset.find(ch);
            if(it!=mset.end())
                return false;
            mset.insert(ch);
        }
        return true;
    }
};

滑动窗口,一次循环(unordered_map)

unordered_map记录元素的hash值,根据hash值判断元素是否相同。unordered_map相当于java中的HashMap。
算法思想:
如果在[i,j)区间的K位置有与s[j]重复字符,则将i置为k+1,继续循环
时间复杂度:O(n)

class Solution {
public:
    int lengthOfLongestSubstring(string s) {
       int res = 0, left = 0, i = 0, n = s.size();
       unordered_map<char, int> m;
       for (int i = 0; i < n; ++i) 
       {
          left = max(left, m[s[i]]);
          m[s[i]] = i + 1;
          res = max(res, i - left + 1);
       }
       return res; 
};

参考

上一篇:CCF 201412-4 最优灌溉 70分 超时


下一篇:unordered_map