AOJ 0558 广度优先搜索
题意:在 H * W 的地图里有 N 个工厂,每个工厂分别生产硬度为1-N 的奶酪,有一只老鼠准备把所有奶酪都吃完。老鼠的初始体力值为1,每吃一个奶酪体力值加 1。已知老鼠不能吃硬度大于当前体力值的奶酪,老鼠只能向上下左右四个方向走,求吃完所有奶酪老鼠需要经过的最小步数。
分析:简单迷宫问题。不同的是,老鼠需要按1-N 的顺序把奶酪吃完。用广度优先搜索很容易求出起点到终点的最小步数。初始时,求起点到硬度值为 1 的奶酪的最小步数;接着将起点重置为此位置,继续求此位置到达硬度值为 2 的奶酪;如此类推。因此这里只需做N 次广度优先搜索,并累计其值即可。
C++代码:
1 #include <cstdio> 2 #include <iostream> 3 #include <queue> 4 #include <algorithm> 5 6 using namespace std; 7 8 typedef pair<int, int> P; //first := x, second := y 9 10 const int INF = 100000000; 11 const int MAX_H = 1000; 12 const int MAX_W = 1000; 13 const int MAX_N = 9; 14 15 int H, W, N; 16 char maze[MAX_H][MAX_W + 1]; 17 18 int sx, sy; //start 19 int d[MAX_H][MAX_W]; //steps 20 21 const int dx[4] = {-1, 1, 0, 0}; 22 const int dy[4] = {0, 0, -1, 1}; 23 24 int bfs(char c){ 25 //init 26 for(int i = 0; i < H; i ++){ 27 fill(d[i], d[i] + W, INF); 28 } 29 d[sx][sy] = 0; 30 queue<P> que; 31 que.push(P(sx, sy)); 32 33 while(!que.empty()){ 34 P p = que.front(); 35 que.pop(); 36 //arrive 37 if(maze[p.first][p.second] == c){ 38 //reset 39 sx = p.first; 40 sy = p.second; 41 break; 42 } 43 44 for(int i = 0; i < 4; i ++){ 45 int nx = p.first + dx[i], ny = p.second + dy[i]; 46 47 if(0 <= nx && nx < H && 0 <= ny && ny < W && maze[nx][ny] != 'X' && d[nx][ny] == INF){ 48 que.push(P(nx, ny)); 49 d[nx][ny] = d[p.first][p.second] + 1; 50 } 51 } 52 } 53 return d[sx][sy]; 54 } 55 56 void solve(){ 57 //start 58 for(int i = 0; i < H; i ++){ 59 for(int j = 0; j < W; j ++){ 60 if(maze[i][j] == 'S'){ 61 sx = i; 62 sy = j; 63 break; 64 } 65 } 66 } 67 //bfs for 1-N 68 int ans = 0; 69 for(int i = 1; i <= N; i ++){ 70 ans += bfs('0' + i); 71 } 72 printf("%d\n", ans); 73 } 74 75 int main(int argc, char const *argv[]){ 76 77 scanf("%d %d %d", &H, &W, &N); 78 for(int i = 0; i < H; i ++){ 79 scanf("%s", maze[i]); 80 } 81 solve(); 82 83 return 0; 84 }