刷题-力扣-1576. 替换所有的问号

1576. 替换所有的问号

题目链接

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

题目描述

给你一个仅包含小写英文字母和 '?' 字符的字符串 s,请你将所有的 '?' 转换为若干小写字母,使最终的字符串不包含任何 连续重复 的字符。
注意:你 不能 修改非 '?' 字符。
题目测试用例保证 除 '?' 字符 之外,不存在连续重复的字符。
在完成所有转换(可能无需转换)后返回最终的字符串。如果有多个解决方案,请返回其中任何一个。可以证明,在给定的约束条件下,答案总是存在的。

示例 1:

输入:s = "?zs"
输出:"azs"
解释:该示例共有 25 种解决方案,从 "azs" 到 "yzs" 都是符合题目要求的。只有 "z" 是无效的修改,因为字符串 "zzs" 中有连续重复的两个 'z' 。

示例 2:

输入:s = "ubv?w"
输出:"ubvaw"
解释:该示例共有 24 种解决方案,只有替换成 "v" 和 "w" 不符合题目要求。因为 "ubvvw" 和 "ubvww" 都包含连续重复的字符。

示例 3:

输入:s = "j?qg??b"
输出:"jaqgacb"

示例 4:

输入:s = "??yw?ipkj?"
输出:"acywaipkja"

提示:

  • 1 <= s.length <= 100
  • s 仅包含小写英文字母和 '?' 字符

题目分析

  1. 根据题目描述替换字符串中的?为前后不重复的字母
  2. 默认替换字符chr为a若重复则chr自加,直到不重复为止

代码

class Solution {
public:
    string modifyString(string s) {
        if (s[0] == '?' && s.length() == 1) return "a";
        int index = 0;
        char chr = 'a';
        while (index < s.length()) {
            if (s[index] == '?') {
                if (index == 0) {
                    while (s[index + 1] == chr) chr++;
                } else if (index == s.length() - 1) {
                    while (s[index - 1] == chr) chr++;
                } else {
                    while (s[index - 1] == chr || s[index + 1] == chr) chr++;
                }
                s[index] = chr;
                chr = 'a';
            }
            index++;
        }
        return s;
    }
};
posted @ 2021-03-16 18:37  韩亚光  阅读(76)  评论(0编辑  收藏  举报