D的小L
时间限制:4000 ms | 内存限制:65535 KB
难度:2
- 描述
- 一天TC的匡匡找ACM的小L玩三国杀,但是这会小L忙着哩,不想和匡匡玩但又怕匡匡生气,这时小L给匡匡出了个题目想难倒匡匡(小L很D吧),有一个数n(0<n<10),写出1到n的全排列,这时匡匡有点囧了,,,聪明的你能帮匡匡解围吗?
- 输入
- 第一行输入一个数N(0<N<10),表示有N组测试数据。后面的N行输入多组输入数据,每组输入数据都是一个整数x(0<x<10)
- 输出
- 按特定顺序输出所有组合。
特定顺序:每一个组合中的值从小到大排列,组合之间按字典序排列。 - 样例输入
-
2 2 3
- 样例输出
-
12 21 123 132 213 231 312 321
先看一下全排列吧:大牛空间全排列,比较详细
代码一:简单STL 之 next_permutation();
next_permutation,prev_permutation详细
/*************************** # 2013-8-22 12:56:46 # Time: 8MS Memory: 232KB # Author: zyh # Status: Accepted ***************************/ #include<iostream> #include<stdio.h> #include<string.h> #include<stdlib.h> #include<algorithm> using namespace std; int main() { int n,x,i,j;char s[12]; scanf("%d",&n); while(n--) { scanf("%d",&x); for(i=0;i<x;i++) s[i]=i+'1'; s[i]='\0'; do{ puts(s); }while(next_permutation(s,s+x));//全排列函数应用 } return 0; }
代码二: 递归求全排列, 两个数组;
一个S[ ]存放原来的数, 另个 S1[ ]存放 排列, 从S1的0位置存放,存到长度输出一个全排列
/*************************** # 2013-8-22 15:46:46 # Time: 8MS Memory: 232KB # Author: zyh # Status: Accepted ***************************/ #include<stdio.h> #include<string.h> int x; bool vis[12]; char s[12],s1[12]; void permutation(int t) { if(t==x){ s1[x] = '\0'; //这里不要忘了,用字符数组存储字符串要注意末尾 '\0' puts(s1); } for(int i=0;i<x;i++){ if(!vis[s[i]-'1']){ s1[t] = s[i]; vis[s[i]-'1'] = 1; permutation(t+1); vis[s[i]-'1'] = 0; } } } int main() { int n,i; scanf("%d",&n); while(n--) { memset(vis,0,sizeof(vis)); scanf("%d",&x); for(i=0;i<x;i++) { s[i] = i+'1'; } s[i] = '\0'; permutation(0); } return 0; }