carloscn / structstudy

Leetcode daily trainning by using C/C++/RUST programming.
4 stars 1 forks source link

leetcode1576: 替换所有的问号(replace-all-s-to-avoid-consecutive-repeating-characters) #248

Open carloscn opened 1 year ago

carloscn commented 1 year ago

问题描述

给你一个仅包含小写英文字母和 '?' 字符的字符串 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 仅包含小写英文字母和 '?' 字符

来源:力扣(LeetCode) 链接:https://leetcode.cn/problems/replace-all-s-to-avoid-consecutive-repeating-characters

carloscn commented 1 year ago

问题分析

pub fn modify_string(s: String) -> String
{
    if s.is_empty() {
        return s;
    }

    let mut ret_vec:Vec<char> = s.chars().collect();

    for i in 0..ret_vec.len() {
        if ret_vec[i] == '?' {
            for j in 0..26u8 {
                let select:char = ('a' as u8 + j) as char;
                if (i > 0 && ret_vec[i - 1] == select) ||
                   (i < ret_vec.len() && ret_vec[i + 1] == select) {
                    continue;
                }
                ret_vec[i] = select;
                break;
            }
        }
    }

    let ret_str:String = ret_vec.iter().collect();

    return ret_str;
}
carloscn commented 1 year ago

code

https://review.gerrithub.io/c/carloscn/structstudy/+/555365 https://github.com/carloscn/structstudy/commit/37ba3115c54e8c9a074ffd8b2939b5664ade3530