Last active
March 4, 2022 12:49
-
-
Save rishi93/8d647a8490a6408ceecda197aa863b99 to your computer and use it in GitHub Desktop.
Daily Coding Problem - 13
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
""" | |
This problem was asked by Amazon. | |
Given an integer k and a string s, find the length of the longest substring that contains at most k distinct characters. | |
For example, given s = "abcba" and k = 2, the longest substring with k distinct characters is "bcb". | |
""" | |
def longestSubstring(string, k): | |
start, end = 0, k | |
max_len = k | |
# The string has to be continous, so we check slices of the string | |
while end <= len(string): | |
# If the substring is good | |
if len(set(string[start:end])) <= k: | |
# If the substring is the best so far, store it's length | |
current_len = end - start | |
if current_len >= max_len: | |
max_len = current_len | |
# Try to make the substring longer | |
end += 1 | |
else: | |
# Else try to make the substring shorter | |
start += 1 | |
return max_len | |
print(longestSubstring("abcba", 2)) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment