Leetcode

2019-11-30

2019-11-30  本文已影响0人  ruicore

LeetCode 424. Longest Repeating Character Replacement

Description

Given a string s that consists of only uppercase English letters, you can perform at most k operations on that string.

In one operation, you can choose any character of the string and change it to any other uppercase English character.

Find the length of the longest sub-string containing all repeating letters you can get after performing the above operations.

Note:
Both the string's length and k will not exceed 104.

Example 1:

Input:
s = "ABAB", k = 2

Output:
4

Explanation:
Replace the two 'A's with two 'B's or vice versa.

Example 2:

Input:
s = "AABABBA", k = 1

Output:
4

Explanation:
Replace the one 'A' in the middle with 'B' and form "AABBBBA".
The substring "BBBB" has the longest repeating letters, which is 4.

描述

给你一个仅由大写英文字母组成的字符串,你可以将任意位置上的字符替换成另外的字符,总共可最多替换 k 次。在执行上述操作后,找到包含重复字母的最长子串的长度。

注意:
字符串长度 和 k 不会超过 104。

示例 1:

输入:
s = "ABAB", k = 2

输出:
4

解释:
用两个'A'替换为两个'B',反之亦然。

示例 2:

输入:
s = "AABABBA", k = 1

输出:
4

解释:
将中间的一个'A'替换为'B',字符串变为 "AABBBBA"。
子串 "BBBB" 有最长重复字母, 答案为 4。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-repeating-character-replacement
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

思路

# -*- coding: utf-8 -*-
# @Author:             何睿
# @Create Date:        2019-11-30 16:32:47
# @Last Modified by:   何睿
# @Last Modified time: 2019-11-30 16:44:05

from collections import defaultdict


class Solution:
    def characterReplacement(self, s: str, k: int) -> int:
        window_count = defaultdict(int) # 统计窗口内每个字符出现过的次数
        res, left, right, count_s = 0, 0, 0, len(s)

        max_repeat_count = 0 # 窗口内出现最多次字符的次数
        while right < count_s:
            window_count[s[right]] += 1 # 次数加一
            # 由于窗口只有 s[right] 增加了一次,那么 出现最多次字符的次数 只需要和这个字符的字符比较就可以了
            max_repeat_count = max(max_repeat_count, window_count[s[right]]) # 更新出现最多次字符的次数

            while right - left + 1 - max_repeat_count > k: # left 向边移动
                window_count[s[left]] -= 1 
                max_repeat_count = max(max_repeat_count, window_count[s[left]])
                left += 1

            res = max(res, right - left + 1) # 窗口内的单词个数
            right += 1

        return res

源代码文件在 这里
©本文首发于 何睿的博客 ,欢迎转载,转载需保留 文章来源 ,作者信息和本声明.

上一篇 下一篇

猜你喜欢

热点阅读