题目
无重复字符串的排列组合。编写一种方法,计算某字符串的所有排列组合,字符串每个字符均不相同。
示例1:
输入:S = "qwe"
输出:["qwe", "qew", "wqe", "weq", "ewq", "eqw"]
分析: 标准的回溯算法,全排列问题,通过创建一个与字符串等长的数据,用来标记已经选择的字符,当选择的字符长度达到给定字符串长度时,终止选择,保留结果,回溯,撤销标记,继续做出选择
方法1: 通过创建标记符实现
class Solution:
def permutation(self, S: str) -> List[str]:
length = len(S)
mark = [0]*length
total = list()
def dfs(s, mark):
if len(s) == length:
total.append(s)
return
for i in range(length):
if mark[i] == 1:
continue
mark[i] = 1
dfs(s+S[i], mark)
mark[i] = 0
dfs('', mark)
return total
方法2: 可以通过字符交换,实现回溯这一过程
class Solution:
def permutation(self, S: str) -> List[str]:
S_list = list(S)
length = len(S_list)
total = []
def dfs(S_list, i):
if i == length:
total.append(''.join(S_list))
return
for j in range(i, length):
S_list[i], S_list[j] = S_list[j], S_list[i]
dfs(S_list, i+1)
S_list[i], S_list[j] = S_list[j], S_list[i]
dfs(S_list, 0)
return total