carloscn / structstudy

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

leetcode1544:整理字符串(make-the-string-great) #243

Open carloscn opened 1 year ago

carloscn commented 1 year ago

问题描述

给你一个由大小写英文字母组成的字符串 s 。

一个整理好的字符串中,两个相邻字符 s[i] 和 s[i+1],其中 0<= i <= s.length-2 ,要满足如下条件:

若 s[i] 是小写字符,则 s[i+1] 不可以是相同的大写字符。 若 s[i] 是大写字符,则 s[i+1] 不可以是相同的小写字符。 请你将字符串整理好,每次你都可以从字符串中选出满足上述条件的 两个相邻 字符并删除,直到字符串整理好为止。

请返回整理好的 字符串 。题目保证在给出的约束条件下,测试样例对应的答案是唯一的。

注意:空字符串也属于整理好的字符串,尽管其中没有任何字符。

示例 1:

输入:s = "leEeetcode" 输出:"leetcode" 解释:无论你第一次选的是 i = 1 还是 i = 2,都会使 "leEeetcode" 缩减为 "leetcode" 。

示例 2:

输入:s = "abBAcC" 输出:"" 解释:存在多种不同情况,但所有的情况都会导致相同的结果。例如: "abBAcC" --> "aAcC" --> "cC" --> "" "abBAcC" --> "abBA" --> "aA" --> "" 示例 3:

输入:s = "s" 输出:"s"  

提示:

1 <= s.length <= 100 s 只包含小写和大写英文字母

来源:力扣(LeetCode) 链接:https://leetcode.cn/problems/make-the-string-great

carloscn commented 1 year ago

问题分析

fn is_uper_lower_same(a:&char, b:&char) -> bool
{
    let mut ret:bool = false;

    if (a.is_uppercase() && b.is_lowercase() && *a as u8 + 32u8 == *b as u8) ||
       (b.is_uppercase() && a.is_lowercase() && *b as u8 + 32u8 == *a as u8) {
        return true;
    }

    return false;
}

pub fn make_good(s: &str) -> String
{
    if s.is_empty() {
        return s.to_string();
    }

    let mut r_v:Vec<char> = vec![];
    let s_v:Vec<char> = s.chars().collect();

    for i in 0..s_v.len() {
        if r_v.is_empty() ||
           !is_uper_lower_same(&r_v[r_v.len() - 1], &s_v[i]) {
            r_v.push(s_v[i]);
        } else {
            r_v.pop();
        }
    }

    return r_v.into_iter().collect();
}
carloscn commented 1 year ago

code

https://review.gerrithub.io/c/carloscn/structstudy/+/554968 https://github.com/carloscn/structstudy/commit/3637e115205779dcd0a8bbfe9c9ad45cd72ae63d