LeetCode-无重复字符的最长子串 -- Java

Posted Fly upward

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode-无重复字符的最长子串 -- Java相关的知识,希望对你有一定的参考价值。

目录

 1.题目

2.题解

 3.复杂度


 1.题目

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

题目来源:力扣(LeetCode)

2.题解

使用哈希来实现滑动窗口

在左指针向右移动的时候,我们从哈希集合中移除一个字符,在右指针向右移动的时候,我们往哈希集合中添加一个字符。

class Solution 
    public int lengthOfLongestSubstring(String s) 
        
        if (s.length() == 0) 
            return 0;
        
        // 哈希集合,记录每个字符是否出现过
        Set<Character> cur = new HashSet<Character>();
        int n = s.length();
        //右指针,初始值为 -1,相当于我们在字符串的边界的左侧,还没有开始移动
        int rigth = -1;
        //左指针
        int left = 0;
        for (int i = 0; i < n; i++) 
            if (i != 0) 
                //左指针向右移动一步,移除一个字符
                cur.remove(s.charAt(i - 1));
            
            while (rigth + 1 < n && !cur.contains(s.charAt(rigth +1))) 
                //一直移动右指针
                cur.add(s.charAt(rigth +1));
                ++rigth;
            
            //第 i 到 right 个字符是一个极长的无重复字符子串
            left = Math.max(left, rigth - i + 1);
        
        return left;
        
    

 3.复杂度

时间复杂度:O(n)

空间复杂度:O(n)

以上是关于LeetCode-无重复字符的最长子串 -- Java的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode——无重复字符的最长子串

leetcode-无重复字符的最长子串

[LeetCode]无重复字符的最长子串

LeetCode 第3题 无重复字符的最长子串

[LeetCode] 无重复字符的最长子串

LeetCode-3.无重复字符的最长子串