题目链接:http://poj.org/problem?id=3009
/**************************************/
懒得写题意,下面是抄自小优师姐的题意解释:
就是要求把一个冰壶从起点“2”用最少的步数移动到终点“3”
其中0为移动区域,1为石头区域,冰壶一旦想着某个方向运动就不会停止,也不会改变方向(想想冰壶在冰上滑动),除非冰壶撞到石头1 或者 到达终点 3
注意的是:
冰壶撞到石头后,冰壶会停在石头前面,此时(静止状态)才允许改变冰壶的运动方向,而该块石头会破裂,石头所在的区域由1变为0. 也就是说,冰壶撞到石头后,并不会取代石头的位置。
终点是一个摩擦力很大的区域,冰壶若到达终点3,就会停止在终点的位置不再移动。
/**************************************/
这一题还是搜索题,但是要注意每一次搜索下一步时board都会变化,所以用bfs确实没办法。用dfs时又要考虑时间的问题。所以要剪枝,题目也告诉我们超过十步就是失败。
做这道题用了两天时间,是不断的WA,不断的找错。在这个过程中发现自己写代码还是太急于写,不是每一步都很严谨。
好了,贴出来终于AC的代码:
///2014.3.28 - 2014.3.30
///poj3009
#include <iostream>
#include <cstdio>
using namespace std;
struct position{
int h,w;
};
int H,W; ///the height and width of the board
int board[25][25];
int S_h,S_w,E_h,E_w; ///S_h:the height of the start; E:end;
int minstep;
const int addH[4] = {-1,0,1,0}; ///for easy to go next position
const int addW[4] = {0,-1,0,1};
void init(){
for(int i=1 ; i<=H ; i++){
for(int j=1 ; j<=W ; j++){
cin>>board[i][j];
if( board[i][j]==2 ){
S_h = i;
S_w = j;
board[i][j] = 0; ///set 0 to the start place after record it
}
if( board[i][j]==3 ){
E_h = i;
E_w = j;
}
}
}
minstep = 11;
}
position findNextPosition(position pos,int direction){
while( board[ pos.h+addH[direction] ][ pos.w+addW[direction] ]==0 &&
pos.h+addH[direction]>=1 && pos.h+addH[direction]<=H &&
pos.w+addW[direction]>=1 && pos.w+addW[direction]<=W ){
pos.h += addH[direction];
pos.w += addW[direction];
}
if( board[ pos.h+addH[direction] ][ pos.w+addW[direction] ] == 3 &&
pos.h+addH[direction]>=1 && pos.h+addH[direction]<=H &&
pos.w+addW[direction]>=1 && pos.w+addW[direction]<=W ){
pos.h += addH[direction];
pos.w += addW[direction];
return pos;
}
else if( board[ pos.h+addH[direction] ][ pos.w+addW[direction] ] == 1 &&
pos.h+addH[direction]>=1 && pos.h+addH[direction]<=H &&
pos.w+addW[direction]>=1 && pos.w+addW[direction]<=W ){
return pos;
}
else{
pos.h = -1;
pos.w = -1;
return pos;
}
}
void dfs(int h,int w,int step){
if( step>10 ) ///pruning
return;
if( h==E_h && w==E_w ){
if( step<minstep ){
minstep = step;
}
return;
}
position pos;
for(int i=0 ; i<4 ; i++){
pos.h = h;
pos.w = w;
pos = findNextPosition(pos,i);
if( pos.h==h && pos.w==w ) ///exclude not move but remove the next block
continue;
if( pos.h != -1 ){
if( board[pos.h][pos.w] != 3 )
board[ pos.h+addH[i] ][ pos.w+addW[i] ] = 0;
dfs(pos.h,pos.w,step+1);
if( board[pos.h][pos.w] != 3 )
board[ pos.h+addH[i] ][ pos.w+addW[i] ] = 1;
}
}
}
int main()
{
// freopen("in","r",stdin);
// freopen("out","w",stdout);
while( cin>>W>>H && H && W ){
init();
dfs(S_h,S_w,0);
if( minstep<11 )
cout<<minstep<<endl;
else
cout<<"-1"<<endl;
/*text findNextPosition*/
// cout<<S_h<<" "<<S_w<<endl;
// position pos;
// pos.h = 9;
// pos.w = 15;
// pos = findNextPosition(pos,0);
// cout<<pos.h<<" "<<pos.w<<endl;
}
return 0;
}