38:字符串的排列(剑指offer第2版Python)

一、题目描述

输入一个字符串,按字典序打印出该字符串中字符的所有排列。例如输入字符串abc,则打印出由字符a,b,c所能排列出来的所有字符串abc,acb,bac,bca,cab和cba。

输入描述:

输入一个字符串,长度不超过9(可能有字符重复),字符只包括大小写字母。

 

二、代码详解

依次取一个元素,然后依次和之前递归形成的所有子串组合,形成新的字符串。

38:字符串的排列(剑指offer第2版Python)_第1张图片

# -*- coding:utf-8 -*-
class Solution:
    def Permutation(self, ss):
        if not len(ss):
            return []
        if len(ss) == 1:
            return list(ss)

        charList = list(ss)
        #print(charList)
        charList.sort()
        # ['acb', 'abc', 'cab', 'cba', 'bac', 'bca']
        # ['abc', 'acb', 'bac', 'bca', 'cab', 'cba'] : 加charList.sort()的结果
        pStr = [] # 输出字符串
        for i in range(len(charList)):
            # 取出charList[i]作为固定的首位字符
            # 优化:如果出现连续重复的字符,跳出for循环(必须操作,用例aa,不然会输出["aa","aa"])
            if i > 0 and charList[i] == charList[i-1]:
                continue
            # 除了首位字符charList[i]以外的 “后面所有字符的排列”
            temp = self.Permutation(''.join(charList[:i])+''.join(charList[i+1:]))
            # 拼接在一起:首位字符+ 其他字符
            for j in temp:
                pStr.append(charList[i] + j)
        return pStr

# 测试用例
ss = 'acb'
S = Solution()
print(S.Permutation(ss))

 

你可能感兴趣的:(牛客经典)