当前位置: 代码迷 >> 综合 >> leetcode3 longest-substring-without-repeating-characters(最长无重复子串)
  详细解决方案

leetcode3 longest-substring-without-repeating-characters(最长无重复子串)

热度:107   发布时间:2023-11-17 00:49:50.0

题目要求

给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
在这里插入图片描述

解题思路

本题我们采取滑动窗口的方法降低时间复杂度,暴力的话时平方级时间
首先我们定义一个 map 数据结构存储 (k, v),其中 key 值为字符,value 值为字符位置 +1,加 1 表示从字符位置后一个才开始不重复(也就是重新找最长字串)
我们定义不重复子串的开始位置为 start,结束位置为 end,所以长度就是end-start+1

随着 end 不断遍历向后,会遇到与 [start, end] 区间内字符相同的情况,此时将字符作为 key 值,获取其 value 值,并更新 start,此时 [start, end] 区间内不存在重复字符

无论是否更新 start,都会更新其 map 数据结构和结果 ans。

主要代码

class Solution(object):def lengthOfLongestSubstring(self, s):""":type s: str:rtype: int"""map_ = {
    }start, ans = 0, 0for end in range(len(s)):if s[end] in map_:start = max(start, map_[s[end]])ans = max(end-start+1, ans)map_[s[end]] = end + 1 # 记录最大不重复子串的初始位置return ans

时间复杂度:O(n)

原题链接:https://leetcode-cn.com/problems/two-sum/solution/hua-jie-suan-fa-3-wu-zhong-fu-zi-fu-de-zui-chang-z/

  相关解决方案