赞
踩
输入一个长度为 n 字符串,打印出该字符串中字符的所有排列,你可以以任意顺序返回这个字符串数组。
例如输入字符串ABC,则输出由字符A,B,C所能排列出来的所有字符串ABC,ACB,BAC,BCA,CBA和CAB。
数据范围:n < 10
要求:空间复杂度 O(n!),时间复杂度 O(n!)
输入一个字符串,长度不超过10,字符只包括大小写字母。
输入:
"ab"
返回值:
["ab","ba"]
说明:
返回["ba","ab"]也是正确的
输入:
"aab"
返回值:
["aab","aba","baa"]
输入:
"abc"
返回值:
["abc","acb","bac","bca","cab","cba"]
输入:
""
返回值:
[]
经典回溯算法,回溯求解。
关于回溯算法可参考:https://blog.csdn.net/qq135595696/article/details/124134925
class Solution {
public:
void BackTrace(string& str,vector<string>& res,string& s,vector<int>& visited)
{
if(s.size() == str.size())
{
auto iter = find(res.begin(),res.end(),s);
if(iter == res.end())
{
res.push_back(s);
return;
}
}
for(int i = 0;i < str.size(); i++)
{
if(visited[i] == 1 || (i>0 && visited[i-1] == 0 && str[i] == str[i-1]))
continue;
s.push_back(str[i]);
visited[i] = 1;
BackTrace(str, res, s, visited);
s.pop_back();
visited[i] = 0;
}
}
vector<string> Permutation(string str) {
vector<string> res;
if(str.size() == 0)return res;
vector<int> visited(str.size(),0);
string s;
BackTrace(str,res, s, visited);
return res;
}
};
字符串全排列算法。
关于字符串全排列算法可参考:https://www.cnblogs.com/cxjchen/p/3932949.html
class Solution {
public:
//判断从子串的第一个字符串开始,直到end-1的位置,看是否有重复的字符
bool IsSwap(string& s,int start,int end)
{
for(int i = start;i < end;i++)
if(s[i] == s[end])
return false;
return true;
}
void Swap(string& s,int a, int b)
{
char temp = s[a];
s[a] = s[b];
s[b] = temp;
}
void FullPermutation(string str,int start,vector<string>& res)
{
//记录排列结果
if(start == str.size())
{
res.push_back(str);
return;
}
for(int i = start;i < str.size(); i++)
{
if(IsSwap(str, start, i))
{
Swap(str, start, i);
FullPermutation(str, start+1, res);
Swap(str, start, i);
}
}
}
vector<string> Permutation(string str) {
vector<string> res;
if(str.size() == 0)return res;
FullPermutation(str,0,res);
return res;
}
};
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。