原文链接: https://leetcode-cn.com/problems/replace-the-substring-for-balanced-string
英文原文
You are given a string containing only 4 kinds of characters 'Q',
'W', 'E'
and 'R'
.
A string is said to be balanced if each of its characters appears n/4
times where n
is the length of the string.
Return the minimum length of the substring that can be replaced with any other string of the same length to make the original string s
balanced.
Return 0 if the string is already balanced.
Example 1:
Input: s = "QWER" Output: 0 Explanation: s is already balanced.
Example 2:
Input: s = "QQWE" Output: 1 Explanation: We need to replace a 'Q' to 'R', so that "RQWE" (or "QRWE") is balanced.
Example 3:
Input: s = "QQQW" Output: 2 Explanation: We can replace the first "QQ" to "ER".
Example 4:
Input: s = "QQQQ" Output: 3 Explanation: We can replace the last 3 'Q' to make s = "QWER".
Constraints:
1 <= s.length <= 10^5
s.length
is a multiple of4
s
contains only'Q'
,'W'
,'E'
and'R'
.
中文题目
有一个只含有 'Q', 'W', 'E', 'R'
四种字符,且长度为 n
的字符串。
假如在该字符串中,这四个字符都恰好出现 n/4
次,那么它就是一个「平衡字符串」。
给你一个这样的字符串 s
,请通过「替换一个子串」的方式,使原字符串 s
变成一个「平衡字符串」。
你可以用和「待替换子串」长度相同的 任何 其他字符串来完成替换。
请返回待替换子串的最小可能长度。
如果原字符串自身就是一个平衡字符串,则返回 0
。
示例 1:
输入:s = "QWER" 输出:0 解释:s 已经是平衡的了。
示例 2:
输入:s = "QQWE" 输出:1 解释:我们需要把一个 'Q' 替换成 'R',这样得到的 "RQWE" (或 "QRWE") 是平衡的。
示例 3:
输入:s = "QQQW" 输出:2 解释:我们可以把前面的 "QQ" 替换成 "ER"。
示例 4:
输入:s = "QQQQ" 输出:3 解释:我们可以替换后 3 个 'Q',使 s = "QWER"。
提示:
1 <= s.length <= 10^5
s.length
是4
的倍数s
中只含有'Q'
,'W'
,'E'
,'R'
四种字符
通过代码
高赞题解
解题思路
窗口内部:需要替换的字符串;
窗口外部:已经满足要求的字符串;
重点关注窗口外的四种字符数量是否满足题目要求,如果满足的话,尝试缩小窗口尺寸以获得最小的替换长度,否则继续扩大窗口,直到满足条件的窗口出现。
代码
class Solution {
public:
int balancedString(string s) {
int count[26]{0};
int n=s.size();
int m=n/4;
int sum=n;
for(auto item:s){
count[item-'A']++;//统计字符数目
}
int l=0,r=0;
while(r<n){
count[s[r]-'A']--;//更新窗口外的字符数量
while(l<n&&count['Q'-'A']<=m&&count['W'-'A']<=m&&count['E'-'A']<=m&&count['R'-'A']<=m){
sum=min(sum,r-l+1);//更新最短长度
count[s[l]-'A']++;//尝试缩小窗口
l++;
}
r++;//继续扩大窗口
}
return sum;
}
};
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
6193 | 17871 | 34.7% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|