To find the longest substring without repeating characters, use a sliding window technique with two pointers to track the current substring.
- Initialize two pointers, one for the start and one for the end of the window.
- Move the end pointer to expand the window and add characters to a set.
- If a character is already in the set, move the start pointer to shrink the window and remove the character from the set.
- Keep track of the maximum window length.
- Return the maximum length of the substring.
function longestSubstring(str) {
let start = 0, maxLength = 0, seen = new Set();
for (let end = 0; end < str.length; end++) {
while (seen.has(str[end])) {
seen.delete(str[start]);
start++;
}
seen.add(str[end]);
maxLength = Math.max(maxLength, end - start + 1);
}
return maxLength;
}
// Example usage
console.log(longestSubstring('abcabcbb')); // Output: 3
console.log(longestSubstring('bbbbb')); // Output: 1
This method has a time complexity of O(n), where n is the length of the string.
Tags: intermediate, JavaScript, Strings, Algorithm