Pots POJ - 3414 (廣搜 + 路徑輸出 + 倒水問題)
阿新 • • 發佈:2018-11-09
https://vjudge.net/problem/POJ-3414.
大概看了一下, 倒水問題 + 路徑輸出, 杯子不多就兩個, 方法不多就3個, 範圍不大就100, 所以總體看起來不算太難
這裡我用了vector加head和tail來模擬佇列, 因為用queue的話一旦pop出去的點就再也找不回來啦, 談何路徑輸出, 所以看到路徑輸出, 就要想到用陣列或者vector
本來1個小時左右就寫出來了, 結果僅僅由於範圍判斷條件的不仔細和pour演算法時寫錯了兩個服務, 整整浪費了我兩個小時的時間, 再次提醒自己一定要謹慎謹慎再謹慎
注意1 1 1這種特殊情況
//Pots 倒水問題 #include<cstdio> #include<string> #include<cstring> #include<vector> using namespace std; const int maxn = 110; int A, B, C; bool vis[maxn][maxn]; //兩個每一個不同刻度表示一個節點 struct Node{ string op; //上一次操作的字串形式 int a, b, steps, lastPos; //當前a,b的容量, 層數和父節點位置 Node(string oo, int aa, int bb, int ss, int ll){op=oo, a=aa, b=bb, steps=ss, lastPos=ll;} }; vector<Node> q; int head = 0, tail = 0; //用陣列來模擬佇列 void Bfs() { //廣度優先搜尋, 可找到路徑返回true, 找不到返回false memset(vis, 0, sizeof(vis)); q.clear(); q.push_back(Node("end", 0, 0, 0, -1)); tail++; vis[0][0] = 1; while(head != tail){ Node cur = q[head++]; if(cur.a == C || cur.b == C){ //是否為終點, 是的話直接輸出路徑 string ans[maxn]; int len = 1; Node tmp = cur; while(tmp.lastPos!=-1){ ans[len++] = tmp.op; tmp = q[tmp.lastPos]; } printf("%d\n",cur.steps); for(int i = len-1; i >= 1; i--) printf("%s\n",ans[i].c_str() ); //把string轉為char[]輸出 return; } if(!vis[A][cur.b] && cur.a<A){ //fill(a) q.push_back(Node("FILL(1)", A, cur.b, cur.steps+1, head-1)); tail++; vis[A][cur.b] = 1; } if(!vis[cur.a][B] && cur.b<B){ //fill(b) q.push_back(Node("FILL(2)", cur.a, B, cur.steps+1, head-1)); tail++; vis[cur.a][B] = 1; } if(!vis[0][cur.b] && cur.a>0){ //drop(a) q.push_back(Node("DROP(1)", 0, cur.b, cur.steps+1, head-1)); tail++; vis[0][cur.b] = 1; } if(!vis[cur.a][0] && cur.b>0){ //drop(b) q.push_back(Node("DROP(2)", cur.a, 0, cur.steps+1, head-1)); tail++; vis[cur.a][0] = 1; } if(cur.a>0 && cur.a<=A && cur.b>=0 && cur.b<B){ //pour(a,b) int ta = cur.a, tb=cur.b, tmp=cur.a+cur.b; //倒水後的a, b水體積 if(tmp > B) tb = B; else tb = tmp; ta = tmp-tb; if(!vis[ta][tb] && tb<=B && ta<=A){ q.push_back(Node("POUR(1,2)", ta, tb, cur.steps+1, head-1)); tail++; vis[ta][tb] = 1; } } if(cur.b>0 && cur.b<=B && cur.a>=0 && cur.a<A){//pour(b,a) int ta = cur.a, tb=cur.b, tmp=cur.a+cur.b; //倒水後的a, b水體積 if(tmp > A) ta = A; else ta = tmp; tb = tmp-ta; if(!vis[ta][tb] && tb<=B && ta<=A){ q.push_back(Node("POUR(2,1)", ta, tb, cur.steps+1, head-1)); tail++; vis[ta][tb] = 1; } } } printf("impossible\n"); } int main() { scanf("%d%d%d",&A,&B,&C); Bfs(); return 0; }