TA的每日心情data:image/s3,"s3://crabby-images/8e309/8e309f4cf802aae0fde4f861b9c21feba5bf2023" alt="" | 开心 2021-3-12 23:18 |
---|
签到天数: 2 天 [LV.1]初来乍到
|
深度优先搜索输出数字全排列(递归和栈分别实现)
- 一、深度优先算法求数字的全排列,递归实现
- import java.util.Scanner;
- public class PaiLie{
- int n;
- boolean u[]; //u[i]标识数字i是否被使用过
- int ans[]; //ans排列的结果
-
- public PaiLie(int n){
- this.n=n;
- u=new boolean[n+1];
- ans=new int[n+1];
- }
-
- private void print(){
- for (int i=0 ;i< n ;++i)
- System.out.print(ans[i]+" ");
- System.out.println();
- }
- //递归实现深度优先搜索
- void dfs(int d){
- if (d == n) {
- print();
- return;
- }
- for (int i=1 ; i<=n; ++i)//当前顶点的所有可能邻接点
- if (!u[i]){//是邻接点
- ans[d] = i;
- u[i] = true;
- dfs(d+1);
- u[i] = false; //恢复现场
- }
- }
- public static void main(String args[]){
- Scanner in=new Scanner(System.in);
- int n=in.nextInt();
- PaiLie p=new PaiLie(n);
- p.dfs(0);
- }
- }
复制代码 运行:
4
1 2 3 4
1 2 4 3
1 3 2 4
1 3 4 2
1 4 2 3
1 4 3 2
2 1 3 4
2 1 4 3
2 3 1 4
2 3 4 1
2 4 1 3
2 4 3 1
3 1 2 4
3 1 4 2
3 2 1 4
3 2 4 1
3 4 1 2
3 4 2 1
4 1 2 3
4 1 3 2
4 2 1 3
4 2 3 1
4 3 1 2
4 3 2 1
二、深度优先算法求数字的全排列,栈实现
- import java.util.Stack;
- public class Permutation{
- private int M=5;
-
- //访问标记, visited[i]=true表示顶点i已访问
- private boolean visited[];
- public Permutation(){
- visited=new boolean[54322];
- }
- private void DFS(){
- visited[0] = true;//从顶点0开始访问
- Stack< Integer> s=new Stack< Integer>();
- System.out.print("");
- s.push(0);
- while(!s.empty()){
- int top = s.peek();//查看栈顶元素
- int i=0;
- for(i = 1; i <= M; ++i){
- if(find(top,i)) continue;//找top的邻接点
- int no=top*10+i;
- if(!visited[no])
- {
- visited[no] = true;
- s.push(no);//进栈
- if(no>Math.pow(10,M-1))
- System.out.print(no+" ");
- break;
- }
- }
- if( i == M + 1){
- s.pop();//从栈中删除
- }
- }
- }
-
- private boolean find(int n,int k){
- boolean result=false;
- while(n>0){
- if(n%10==k){
- result=true;
- break;
- }else
- n=n/10;
- }
- return result;
- }
- public static void main(String args[]){
- long start=System.currentTimeMillis();
- new Permutation().DFS();
- long end=System.currentTimeMillis();
- System.out.println();
- System.out.println("程序运行时间: "+(end-start)+"ms");
- }
- }
复制代码 运行: D:java>java Permutation
12345 12354 12435 12453 12534 12543 13245 13254 13425 13452 13524 13542 14235
14253 14325 14352 14523 14532 15234 15243 15324 15342 15423 15432 21345 21354
21435 21453 21534 21543 23145 23154 23415 23451 23514 23541 24135 24153 24315
24351 24513 24531 25134 25143 25314 25341 25413 25431 31245 31254 31425 31452
31524 31542 32145 32154 32415 32451 32514 32541 34125 34152 34215 34251 34512
34521 35124 35142 35214 35241 35412 35421 41235 41253 41325 41352 41523 41532
42135 42153 42315 42351 42513 42531 43125 43152 43215 43251 43512 43521 45123
45132 45213 45231 45312 45321 51234 51243 51324 51342 51423 51432 52134 52143
52314 52341 52413 52431 53124 53142 53214 53241 53412 53421 54123 54132 54213
54231 54312 54321 程序运行时间: 27ms
源码下载:http://file.javaxxz.com/2014/12/5/001025000.zip |
|