【Python】【难度:简单】Leetcode 1370. 上升下降字符串

给你一个字符串 s ,请你根据下面的算法重新构造字符串:

从 s 中选出 最小 的字符,将它 接在 结果字符串的后面。
从 s 剩余字符中选出 最小 的字符,且该字符比上一个添加的字符大,将它 接在 结果字符串后面。
重复步骤 2 ,直到你没法从 s 中选择字符。
从 s 中选出 最大 的字符,将它 接在 结果字符串的后面。
从 s 剩余字符中选出 最大 的字符,且该字符比上一个添加的字符小,将它 接在 结果字符串后面。
重复步骤 5 ,直到你没法从 s 中选择字符。
重复步骤 1 到 6 ,直到 s 中所有字符都已经被选过。
在任何一步中,如果最小或者最大字符不止一个 ,你可以选择其中任意一个,并将其添加到结果字符串。

请你返回将 s 中字符重新排序后的 结果字符串 。

 

示例 1:

输入:s = "aaaabbbbcccc"
输出:"abccbaabccba"
解释:第一轮的步骤 1,2,3 后,结果字符串为 result = "abc"
第一轮的步骤 4,5,6 后,结果字符串为 result = "abccba"
第一轮结束,现在 s = "aabbcc" ,我们再次回到步骤 1
第二轮的步骤 1,2,3 后,结果字符串为 result = "abccbaabc"
第二轮的步骤 4,5,6 后,结果字符串为 result = "abccbaabccba"
示例 2:

输入:s = "rat"
输出:"art"
解释:单词 "rat" 在上述算法重排序以后变成 "art"
示例 3:

输入:s = "leetcode"
输出:"cdelotee"
示例 4:

输入:s = "ggggggg"
输出:"ggggggg"
示例 5:

输入:s = "spo"
输出:"ops"
 

提示:

1 <= s.length <= 500
s 只包含小写英文字母。

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

 

class Solution(object):
    def sortString(self, s):
        """
        :type s: str
        :rtype: str
        """
        var1=[]
        for i in s:
            var1.append(i)
        var1=sorted(var1)

        var2=[]
        count=1
        for i in range(len(var1)-1):
            if var1[i]==var1[i+1]:
                count+=1
            else:
                var2.append(var1[i])
                var2.append(count)
                count=1
        if count==1:
            var2.append(var1[-1])
            var2.append(1)
        else:
            var2.append(var1[i])
            var2.append(count)

        res=""
        count=0

        while True:
            i=1
            while i0:
                    res+=var2[i-1]
                    var2[i]-=1
                    if var2[i] == 0:
                        count += 1
                i+=2
            if count==len(var2)/2:
                break

            j=len(var2)-1
            while j>0:
                if var2[j]>0:
                    res+=var2[j-1]
                    var2[j]-=1
                    if var2[j] == 0:
                        count += 1

                j-=2
            if count==len(var2)/2:
                break


        return res

 

 

执行结果:

通过

显示详情

执行用时 :64 ms, 在所有 Python 提交中击败了69.54%的用户

内存消耗 :12.6 MB, 在所有 Python 提交中击败了100.00%的用户

你可能感兴趣的:(leetcode)