http://poj.org/problem?id=3414
题目大意:有两个杯子,容量分别是A和B,可以进行三种操作:
1.FILL(i) 加满第i个杯子;
2.DROP(i) 倒空第i个杯子;
3.POUR(i,j) 第i个杯子倒向第j个杯子,若i未空时j已满,i杯子剩余,若i已空时j未满,j杯子不满。
求得到某杯子中有C容量的水的最少步数,并打印出操作路径。
显然是个BFS,难点主要是记录路径,在结构体里加个string数组保存操作即可。
(代码不是我自己写的,是帮啦啦啦大神改的,所以风格不太一样)
#include<stdio.h>
#include<iostream>
#include<queue>
#include<string>
#include<cstring>
using namespace std;
int A,B,C;
struct node{
int a,b;
int step;
string caozuo[11000];
};
queue<node>q;
bool vis[1170][1170]={0};
void bfs()
{
node s;
node t;
node n;
s.a=0;
s.b=0;
s.step=0;
q.push(s);
while(q.size())
{
t=q.front();
if(t.a==C||t.b==C)
{ cout<<t.step<<endl;
for(int i=1;i<=t.step;++i)
cout<<t.caozuo[i]<<endl;
return;
}
n=t;//fill(1)
n.a=A;
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="FILL(1)";
q.push(n);
vis[n.a][n.b]=1;
}
n=t;//fill(2)
n.b=B;
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="FILL(2)";
q.push(n);
vis[n.a][n.b]=1;
}
n=t;//drop(1)
n.a=0;
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="DROP(1)";
q.push(n);
vis[n.a][n.b]=1;
}
n=t;//drop(2)
n.b=0;
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="DROP(2)";
q.push(n);
vis[n.a][n.b]=1;
}
n=t;//pour(1,2)
if(n.a>=B-n.b)
{
n.a-=B-n.b;
n.b=B;
}
else
{ n.b+=n.a;
n.a=0;
}
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="POUR(1,2)";
q.push(n);
vis[n.a][n.b]=1;
}
n=t;//pour(2,1)
if(n.b>=A-n.a)
{
n.b-=A-n.a;
n.a=A;
}
else
{ n.a+=n.b;
n.b=0;
}
n.step++;
if(n.step<=100&&!vis[n.a][n.b])
{ n.caozuo[n.step]="POUR(2,1)";
q.push(n);
vis[n.a][n.b]=1;
}
q.pop();
}
cout<<"impossible"<<endl;
return ;
}
int main()
{
cin>>A>>B>>C;
bfs();
return 0;
}