profile

Longest Substring Without Repeating Characters

To solve the "Longest Substring Without Repeating Characters" problem in JavaScript, you can use the sliding window technique along with a hash map to keep track of the characters and their indices in the substring. Here's a JavaScript solution:

function lengthOfLongestSubstring(s) {
  let maxLength = 0;
  let start = 0;
  const charIndexMap = {};

  for (let end = 0; end < s.length; end++) {
    const char = s[end];
    if (charIndexMap[char] !== undefined) {
      // If the character is already in the substring, update the start index
      start = Math.max(start, charIndexMap[char] + 1);
    }
    // Update the index of the current character
    charIndexMap[char] = end;
    // Update the maximum length of the substring
    maxLength = Math.max(maxLength, end - start + 1);
  }

  return maxLength;
}

// Example usage:
console.log(lengthOfLongestSubstring("abcabcbb")); // Output: 3 (substring "abc")
console.log(lengthOfLongestSubstring("bbbbb")); // Output: 1 (substring "b")
console.log(lengthOfLongestSubstring("pwwkew")); // Output: 3 (substring "wke")

In this solution: