POTD #22 β Longest substring with distinct characters | Geeks For Geeks
Problem Statement
Geeks For Geeks : https://www.geeksforgeeks.org/problems/longest-distinct-characters-in-string5848/1
Given a string s, find the length of the longest substring with all distinct characters.Β
Input: s = "geeksforgeeks" Output: 7 Explanation: "eksforg" is the longest substring with all distinct characters.
Input: s = "abcdefabcbb" Output: 6 Explanation: The longest substring with all distinct characters is "abcdef", which has a length of 6.
My Approach β Sliding Window
class Solution: def longestUniqueSubstr(self, s): # code here char_index = {} max_length = 0 start = 0 for i, char in enumerate(s): if char in char_index and char_index[char] >= start: start = char_index[char] + 1 #crux char_index[char] = i max_length = max(max_length, i - start + 1) return max_length