2 3 1 4 2
1 2 3 12 13 14 21 23 24 31 32 34 41 42 43
题目就是求字符串123..n的全排列的前m个字符,将123..n进行全排列,每个排列的前m个字符即为所求,注意重复的字符
#include <iostream> #include <string> #include <set> #include <algorithm> #include <iterator> using namespace std; int main(){ int N; cin >>N; while(N--){ int n,m; cin >> n >> m; string str = ""; for(int i = 0 ; i < n; ++i) str+=‘1‘+i; set<string> res; do{ string tmp = str.substr(0,m); if(res.find(tmp)==res.end()) res.insert(tmp); }while(next_permutation(str.begin(),str.end())); copy(res.begin(),res.end(),ostream_iterator<string>(cout,"\n")); } }
对其空间复杂度优化,不需要用set保存每个排列,只需记住前一个排列,如果现在排列不等于前一个排列才输出,利用next_permutation函数时按照字串大小输出的
优化后的代码
#include <iostream> #include <string> #include <algorithm> using namespace std; int main(){ int N; cin >>N; while(N--){ int n,m; cin >> n >> m; string str = "",preStr=""; for(int i = 0 ; i < n; ++i) str+=‘1‘+i; do{ string tmp = str.substr(0,m); if(preStr!=tmp){ preStr = tmp; cout<<preStr<<endl; } }while(next_permutation(str.begin(),str.end())); } }
原文:http://www.cnblogs.com/xiongqiangcs/p/3675242.html