美文网首页
Day91: 整理字符串

Day91: 整理字符串

作者: 快乐的老周 | 来源:发表于2020-11-09 07:43 被阅读0次

    Day91: 整理字符串

    给你一个由大小写英文字母组成的字符串 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"
    
     # 来源:力扣(LeetCode)
     # 链接:力扣
     # https://leetcode-cn.com/problems/make-the-string-great/
     # 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处
    

    class Solution:
    def makeGood(self, s):
    from collections import deque
    q = deque()
    # import pdb;pdb.set_trace()
    for i in s:
    if len(q) >0:
    last = q.pop()
    if not self.up_low(i,last):
    q.append(last)
    q.append(i)
    continue
    else:
    q.append(i)
    return ''.join(q)

    def up_low(self, a,b):
        # 判断两个字符是否互为大小写,相同返回True,不同返回False
        if 90 >= ord(a) >= 65:
            if ord(a) +32 == ord(b):
                return True
        else:
            if ord(b) +32 == ord(a):
                return True
        return False
    

    def test_makegood():
    s = Solution()
    assert s.makeGood("leEeetcode") == "leetcode"
    assert s.makeGood("abBAcC") == ""
    assert s.makeGood("s") == "s"
    assert s.makeGood("GwqQWgghHGEREIwlWiere") == "EREIwlWiere"

    相关文章

      网友评论

          本文标题:Day91: 整理字符串

          本文链接:https://www.haomeiwen.com/subject/dzokbktx.html