【算法题】3. 无重复字符的最长子串

2023-12-22 06:49:28

?题目

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

例子1:

输入: s = "abcabcbb"
输出: 3?
解释: 因为无重复字符的最长子串是?"abc",所以其长度为 3。

例子2:

输入: s = "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是?"b",所以其长度为 1。

提示:

0 <= s.length <= 5 * 10^4
s?由英文字母、数字、符号和空格组成

题解

class Solution {
    public int lengthOfLongestSubstring(String s) {
        int[] last = new int[128];
        for(int i = 0; i<128; i++){
            last[i] = -1;
        }
        int n = s.length();
        int res = 0;
        int start = 0;
        for(int i = 0; i <n; i++){
            int index = s.charAt(i);
            start = Math.max(start, last[index]+1);
            res = Math.max(res, i-start+1);
            last[index] = i;
        }
        return res;
    }
}

文章来源:https://blog.csdn.net/weixin_38838143/article/details/135143243
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。