LeetCode 给你一个字符串 word ,你可以向其中任何位置插入 "a"、"b" 或 "c" 任意次,返回使 word 有效 需要插入的最少字母数。如果2645. 构造有效字符串的最少插入数
?
class Solution {
public:
int addMinimum(string word) {
}
};
假如我们最终有cnt个“abc”,那么我们需要插入cnt - len(s)个字符
所以我们只需要计算出cnt即可
我们遍历字符串,如果当前字符小于前面字符,说明二者不在一个abc中,cnt+1
注意cnt初始为1
时间复杂度: O(N) 空间复杂度:O(1)
?
class Solution {
public:
int addMinimum(string s) {
int t = 1;
for(int i = 1 , n = s.size() ; i < n ; i++)
t += s[i - 1] >= s[i];
return t * 3 - s.size();
}
};