LeetCode刷题笔记--003. 最长不重复子串

题目描述:

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

示例 1:

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

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

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

分析:

用i遍历字符串,用一个hashdict记录每个字符最后出现的index,用start记录子串开头的字符,一旦i所给定的字符最后出现的index大于start,即重复了。就记录下此时的子串长度,并改变子串start的指针。

代码:

执行用时: 48 ms, 在Jewels and Stones的Python3提交中击败了97.32% 的用户
内存消耗: 6.5 MB, 在Jewels and Stones的Python3提交中击败了85.75% 的用户

class Solution:
    def lengthOfLongestSubstring(self, s: str) -> int:
        hashdict = {}
        res, start = 0, 0
        for i in range(len(s)):
            idx = hashdict.get(s[i], -1)
            if idx >= start:
                start = idx+1
            res = max(res, i-start+1)
            hashdict[s[i]] = i
        return res

复杂度:

时间复杂度 O ( n ) O(n) O(n),空间复杂度 O ( 1 ) O(1) O(1)

你可能感兴趣的:(LeetCode,Longest,Substring,Without,Repeating,最长不重复子,leetcode)