Time Limit: 2000/1000 MS (Java/Others) Memory Limit: 65536/32768 K (Java/Others)
Total Submission(s): 4730 Accepted Submission(s): 2840
Mean:
给你一个n和m,让你输出从1~n这n个数全排列的第m个序列。
analyse:
如果我们用暴力的话,这题肯定超时,还好STL中自带了个这样的函数,可以直接调用。
下面来讲解一下 next_permutation 函数的运用:
在C++ Reference中查看了一下next_permutation的函数声明:
#include <algorithm> bool next_permutation( iterator start, iterator end ); The next_permutation() function attempts to transform the given range of elements [start,end) into the next lexicographically greater permutation of elements. If it succeeds, it returns true, otherwise, it returns false.
从说明中可以看到 next_permutation 的返回值是布尔类型。按照提示写了一个标准C++程序:
#include <iostream> #include <algorithm> #include <string> using namespace std; int main() { string str; //// 也可以是其他容器 cin >> str; sort(str.begin(), str.end()); cout << str << endl; while (next_permutation(str.begin(), str.end())) { cout << str << endl; } return 0; }
其中还用到了 sort 函数和 string.begin()、string.end() ,函数声明如下:
#include <algorithm> void sort( iterator start, iterator end );
sort函数可以使用NlogN的复杂度对参数范围内的数据进行排序。
#include <string> iterator begin(); const_iterator begin() const; #include <string> iterator end(); const_iterator end() const;
string.begin()和string.end() 可以快速访问到字符串的首字符和尾字符。
发现以上函数的效率不是很高,可能是没开 g++ -O2 优化吧……
下面的程序换成puts来输出,比上面快多了。
#include <cstdio> #include <algorithm> #include <cstring> #define MAX 100 using namespace std; int main() { int length; char str[MAX]; gets(str); length = strlen(str); sort(str, str + length); puts(str); while (next_permutation(str, str + length)) { puts(str); } return 0; }
Time complexity:O(n)?
Source code:
// Memory Time // 1347K 0MS // by : Snarl_jsb // 2014-09-15-22.17 #include<algorithm> #include<cstdio> #include<cstring> #include<cstdlib> #include<iostream> #include<vector> #include<queue> #include<stack> #include<map> #include<string> #include<climits> #include<cmath> #define N 1000010 #define LL long long using namespace std; int main() { // freopen("C:\\Users\\ASUS\\Desktop\\cin.cpp","r",stdin); // freopen("C:\\Users\\ASUS\\Desktop\\cout.cpp","w",stdout); int n,m; vector<int> a; while(cin>>n>>m) { a.clear(); for(int i=1;i<=n;++i) { a.push_back(i); } int cnt=1; while(next_permutation(a.begin(),a.end())) { cnt++; if(cnt==m) { for(int i=0;i<n-1;i++) { printf("%d ",a[i]); } printf("%d\n",a[n-1]); break; } } } return 0; }