Created
February 23, 2018 01:57
-
-
Save willwangcc/fbb2c14e33435c1c0bcd150d351f6b89 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# Time: O(n) | |
# Space: O(1) | |
# 340. Longest Substring with At Most K Distinct Characters | |
''' | |
01234 | |
"eceba" k = 2 | |
-------------- | |
visited = {e:1,c:0,b:1} | |
01234 | |
eceba | |
i | |
j | |
distinct_count = 2 | |
longest = 3 | |
''' | |
class Solution(object): | |
def lengthOfLongestSubstringKDistinct(self, s, k): | |
""" | |
:type s: str | |
:type k: int | |
:rtype: int | |
""" | |
longest = 0 | |
i = 0 | |
visited = [0 for _ in xrange(256)] | |
distinct_count = 0 | |
for j, char in enumerate(s): | |
if visited[ord(char)] == 0: | |
distinct_count += 1 | |
visited[ord(char)] += 1 | |
while distinct_count > k: | |
visited[ord(s[i])] -= 1 | |
if visited[ord(s[i])] == 0: | |
distinct_count -= 1 | |
i += 1 | |
longest = max(longest, j - i + 1) | |
return longest |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment