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

无重复字符的最长子串

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


来源:力扣(LeetCode)

链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
/**

 * @param {strings

 * @return {number}

 */

var lengthOfLongestSubstring = function(s) {

    const len = s.length;

    // const arr = s.split('')

    let max = 0;

    for(let start = 0;start

        let check = new Set();

        // let check = []

        for(let end = start;end

            if(check.has(s.charAt(end))){

            // if(check.indexOf(arr[end])!=-1){

                break;

            }else{

                check.add(s.charAt(end))

                // check.push(arr[end])

            }

        }

        const checklen = [...check].length;

        // const checklen = check.length;

        max= Math.max(max, checklen);

        if(max>(len-start)){

            break

        }

    }

    return max

};

重点:

  • 滑动窗口
  • charAt

编辑文章✏