Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

leetcode 3. 无重复字符的最长子串 #滑动窗口 #18

Open
webVueBlog opened this issue May 28, 2022 · 2 comments
Open

leetcode 3. 无重复字符的最长子串 #滑动窗口 #18

webVueBlog opened this issue May 28, 2022 · 2 comments

Comments

@webVueBlog
Copy link
Collaborator

webVueBlog commented May 28, 2022

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

Description

Difficulty: 中等

Related Topics: 哈希表, 字符串, 滑动窗口

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

示例 1:

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

示例 2:

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

示例 3:

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

提示:

  • 0 <= s.length <= 5 * 104
  • s 由英文字母、数字、符号和空格组成
@webVueBlog
Copy link
Collaborator Author

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

/*
 * @lc app=leetcode.cn id=3 lang=javascript
 *
 * [3] 无重复字符的最长子串
 */

// @lc code=start
/**
 * @param {string} s
 * @return {number}

a b c a b c b b
  i
      j
a b c a b c b b
              i
                j
{
 a: 1,
 b: 1,
 c: 1
}
(72 ms)
 */
function lengthOfLongestSubstring(s) {
 let ans = 0;
 const map = new Map();
 let i = 0;
 for(let j = 0; j < s.length; j++) {
  const v = s[j];
  map.set(v, (map.get(v) || 0) + 1);
  // 如果当前v代表字符,它是由重复的
  while(map.get(v) > 1) {
   map.set(s[i], map.get(s[i])-1);
   i++;
  }
  ans = Math.max(j-i+1, ans)
 }
 return ans;
}
// @lc code=end

@dreamjean
Copy link
Collaborator

dreamjean commented May 30, 2022

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

Solution

思路:

  • 移动右指针扩大窗口,同时将新元素添加到 set 里面
  • 如果 set 中含有这个元素,就说明这个元素与窗口最左边的元素相同
  • 此时,移动左指针缩小左边的窗口,同时将元素从 set 中删除
  • 在缩放窗口的同时比较 set 的大小,找出最大的 size

Language: JavaScript

/**
 * @param {string} s
 * @return {number}
 */
var lengthOfLongestSubstring = function (s) {
  const set = new Set()
  let [left, right, max] = [0, 0, 0]

  while (right < s.length) {
    // 若 set 中含有 s[right] 就删除窗口最左边的元素同时缩小窗口,否则扩大窗口并添加新元素
    set.has(s[right]) ? set.delete(s[left++]) : set.add(s[right++])

    // 比较 set 的大小并找出最大值
    max = Math.max(max, set.size)
  }

  return max
}

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

No branches or pull requests

2 participants