给你一个仅包含小写英文字母和 '?'
字符的字符串 s
,请你将所有的 '?'
转换为若干小写字母,使最终的字符串不包含任何 连续重复 的字符。
注意:你 不能 修改非 '?'
字符。
题目测试用例保证 除 '?'
字符 之外,不存在连续重复的字符。
在完成所有转换(可能无需转换)后返回最终的字符串。如果有多个解决方案,请返回其中任何一个。可以证明,在给定的约束条件下,答案总是存在的。
示例 1:
输入:s = "?zs" 输出:"azs" 解释:该示例共有 25 种解决方案,从 "azs" 到 "yzs" 都是符合题目要求的。只有 "z" 是无效的修改,因为字符串 "zzs" 中有连续重复的两个 'z' 。
示例 2:
输入:s = "ubv?w" 输出:"ubvaw" 解释:该示例共有 24 种解决方案,只有替换成 "v" 和 "w" 不符合题目要求。因为 "ubvvw" 和 "ubvww" 都包含连续重复的字符。
提示:
-
1 <= s.length <= 100
-
s
仅包含小写英文字母和'?'
字符
class Solution:
def modifyString(self, s: str) -> str:
ans = list(s)
for i, c in enumerate(ans):
if c == '?':
for cc in 'abc':
if i > 0 and ans[i - 1] == cc:
continue
if i < len(s) - 1 and ans[i + 1] == cc:
continue
ans[i] = cc
break
return ''.join(ans)
class Solution {
public String modifyString(String s) {
char[] chars = s.toCharArray();
for (int i = 0; i < chars.length; ++i) {
char c = chars[i];
if (c == '?') {
for (char cc = 'a'; cc <= 'c'; ++cc) {
if (i > 0 && chars[i - 1] == cc) {
continue;
}
if (i < chars.length - 1 && chars[i + 1] == cc) {
continue;
}
chars[i] = cc;
break;
}
}
}
return String.valueOf(chars);
}
}
class Solution {
public:
string modifyString(string s) {
for (int i = 0; i < s.size(); ++i) {
if (s[i] == '?') {
for (char cc : "abc") {
if (i > 0 && s[i - 1] == cc) continue;
if (i < s.size() - 1 && s[i + 1] == cc) continue;
s[i] = cc;
break;
}
}
}
return s;
}
};
func modifyString(s string) string {
ans := []byte(s)
for i, c := range ans {
if c == '?' {
for cc := byte('a'); cc <= 'c'; cc++ {
if i > 0 && ans[i-1] == cc {
continue
}
if i < len(s)-1 && ans[i+1] == cc {
continue
}
ans[i] = cc
break
}
}
}
return string(ans)
}
function modifyString(s: string): string {
const strArr = s.split('');
const n = s.length;
for (let i = 0; i < n; i++) {
if (strArr[i] === '?') {
const before = strArr[i - 1];
const after = strArr[i + 1];
if (after !== 'a' && before !== 'a') {
strArr[i] = 'a';
} else if (after !== 'b' && before !== 'b') {
strArr[i] = 'b';
} else {
strArr[i] = 'c';
}
}
}
return strArr.join('');
}