1. 程式人生 > >POJ3984——迷宮問題

POJ3984——迷宮問題

spa gist bool 要求 align strong 程序 iss getchar

迷宮問題
Time Limit: 1000MS Memory Limit: 65536K
Total Submissions: 31616 Accepted: 18100

Description

定義一個二維數組:

int maze[5][5] = {
0, 1, 0, 0, 0,
0, 1, 0, 1, 0,
0, 0, 0, 0, 0,
0, 1, 1, 1, 0,
0, 0, 0, 1, 0,
};

它表示一個迷宮,其中的1表示墻壁,0表示可以走的路,只能橫著走或豎著走,不能斜著走,要求編程序找出從左上角到右下角的最短路線。

Input

一個5 × 5的二維數組,表示一個迷宮。數據保證有唯一解。

Output

左上角到右下角的最短路徑,格式如樣例所示。

Sample Input

0 1 0 0 0
0 1 0 1 0
0 0 0 0 0
0 1 1 1 0
0 0 0 1 0

Sample Output

(0, 0)
(1, 0)
(2, 0)
(2, 1)
(2, 2)
(2, 3)
(2, 4)
(3, 4)
(4, 4)

Source

1.簡單DFS

#include<iostream>
#include<cstdio>
#include<queue>
#include<algorithm>
#include<vector>
#include<cmath>
#include<cstring>
#include<string> 
 
#define N 100010

using namespace std;

void in(int &x){
    register char c=getchar();x=0;int f=1;
    while(!isdigit(c)){if(c==‘-‘) f=-1;c=getchar();}
    while(isdigit(c)){x=x*10+c-‘0‘;c=getchar();}
    x*=f;
}

int a[6][6],tot;
struct node{int x,y;}e[30],ans[30];
int mx[4]={0,0,1,-1},	
	my[4]={1,-1,0,0};
bool vis[6][6];

void print(int k){
	if(k==2) for(int i=1;i<=tot;i++) printf("(%d, %d)\n",ans[i].x,ans[i].y);
	else for(int i=1;i<=tot;i++) ans[i].x=e[i].x,ans[i].y=e[i].y;
}

void DFS(int x,int y,int tim){
	e[tim].x=x;e[tim].y=y;
	if(tim>tot) return;
	if(x==4&&y==4){
		if(tim<tot){
			tot=tim;print(1);
		}return;
	}for(int i=0;i<4;i++){
		int tx=x+mx[i],ty=y+my[i];
		if(tx>=0&&tx<=4&&ty>=0&&ty<=4&&vis[tx][ty]==0&&a[tx][ty]==0){
			vis[tx][ty]=1;
			DFS(tx,ty,tim+1);
			vis[tx][ty]=0;
		}
	}
}	

int main()
{
	tot=0x7fffffff;
	for(int i=0;i<5;i++)
		for(int j=0;j<5;j++)
			in(a[i][j]);
	DFS(0,0,1);
	print(2);
	return 0;
} 

  2.簡單BFS(考慮如何更新)

POJ3984——迷宮問題