Search
⌘K
Get Premium
Sliding Window
Longest Repeating Character Replacement
medium
DESCRIPTION (credit Leetcode.com)
Write a function to find the length of the longest substring containing the same letter in a given string s, after performing at most k operations in which you can choose any character of the string and change it to any other uppercase English letter.
Input:
Output:
Explanation: Replace the first 'A' and 'C' with 'B' to form "BBBBBCDD". The longest substring with identical letters is "BBBBB", which has a length of 5.
Explanation
In order for a substring to be valid, k + the frequency of the most frequent character in the substring must be greater than or equal to the length of the substring.
For example, if k = 2, and the substring is AABBB, then the most frequent character is B, which shows up 3 times. The substring is valid because 2 + 3 >= 5.
However, if k = 2 and the substring is AAABBB, then the substring is invalid because 2 + 3 < 6.
We use this fact to solve this problem with a variable-length sliding window to iterate over all valid substrings, and return the longest of those lengths at the end. To represent the state of the current window, we keep track of two variables:
- state: A dictionary mapping each character to the number of times it appears in the current window.
- max_freq: The maximum number of times a single character has appeared in any window so far.
We start by extending the current window until it becomes invalid (i.e. k + max_freq < window length).
start
longest repeating character replacement
0 / 12
Python
At this point, the longest substring we have found so far is BCBAB, which has a length of 5 (max_freq = 3 + k = 2).
Now, whenever we try to extend the current window to length 6, it will be invalid unless the character we just included in the window shows up 4 times. So each time we increase the window to length 6, we immediately shrink the window to length 5 until we find a character which shows up 4 times.
max_count: 3
start: 0 | end: 5
expand window
0 / 9
Python
This continues until we reach the end of the string, at which point we return the length of the longest substring we have found so far.
max_count: 4
start: 3 | end: 8
expand window
0 / 5
Python
Solution
start
longest repeating character replacement
0 / 26
Python
Mark as read

Your account is free and you can post anonymously if you choose.