劍指offer 字串的排列
阿新 • • 發佈:2018-12-09
題目描述 輸入一個字串,按字典序打印出該字串中字元的所有排列。例如輸入字串abc,則打印出由字元a,b,c所能排列出來的所有字串abc,acb,bac,bca,cab和cba。 輸入描述:
輸入一個字串,長度不超過9(可能有字元重複),字元只包括大小寫字母。
解析:這是一個字串的全排列,所以使用回溯法解決。
程式碼:
#include "stdafx.h"
#include<iostream>
#include<vector>
#include<stack>
#include<map>
#include<string>
#include<algorithm>
using namespace std;
void solve(string str, int index, int str_size, string temp, vector<string>&ans,bool vis[])
{
if (index == str_size)
{
ans.push_back(temp);
return;
}
for (int j = 0; j < str_size; j++)
{
if (!vis[j])
{
// cout << temp << " "<< index <<endl;
temp += str[j];
vis[j] = true;
solve(str, index+1, str_size, temp, ans, vis);
temp.pop_back();
vis[j] = false;
}
}
}
vector<string> Permutation(string str)
{
bool vis[100];
vector<string>ans;
if (str == "" ) return ans;
int str_size = str.size();
string temp = "";
sort(str.begin(),str.end());
//cout << str << endl;
memset(vis, false, sizeof(vis));
solve(str, 0, str_size, temp, ans, vis);
sort(ans.begin(), ans.end());
auto iter = unique(ans.begin(), ans.end());
ans.erase(iter, ans.end());
return ans;
}
int main()
{
vector<string>ans;
string str = "abcd";
ans = Permutation(str);
vector<string>::iterator iter = ans.begin();
while (iter != ans.end())
{
cout << *iter << endl;
++iter;
}
cout << endl;
//Clone(p1);
//Clone1(p1);
return 0;
}
然後看了下別人的程式碼,我覺得那個更簡潔 。
看一副圖就理解了思想了。
然後程式碼:
class Solution
{
public:
void solve(string str, int start,vector<string>&ans,int str_size)
{
if (start == str_size)
{
ans.push_back(str);
return;
}
for (int i = start; i < str_size; i++)
{
swap(str[start], str[i]);
solve(str, start + 1, ans, str_size);
swap(str[start], str[i]);
}
}
vector<string> Permutation(string str)
{
vector<string>ans;
if (str == "") return ans;
int str_size = str.size();
sort(str.begin(),str.end());
// cout << str << endl;
solve(str,0,ans,str_size);
sort(ans.begin(),ans.end());
auto iter = unique(ans.begin(),ans.end());
ans.erase(iter,ans.end());
return ans;
}
};