1. 程式人生 > >【搜尋】JZOJ_5793 小s練跑步

【搜尋】JZOJ_5793 小s練跑步

題意

一個N×MN\times M的矩陣,上面有些字母,每個字母代表了不能往那個方向走,如果上面是SS,那麼走到那裡就不能動了,求從(1,1)走到(N,M)的最少拐彎次數。

思路

廣搜。 一個方向一個方向的拓展,直到不能走為止。

程式碼

#include<queue>
#include<cstdio>
using namespace std;

const int dx[5] = {0, -1, 1, 0, 0}, dy[5] = {0, 0, 0, -1, 1};
int N, M;
int a[501][501], v[501][501];
char c[501];
struct
node{ int x, y, s; }; bool check(int x, int y) { return x <= N && x >= 1 && y <= M && y >= 1 && a[x][y] != 5; } void bfs() { queue<node> q; q.push((node){1, 1, -1}); v[1][1] = 1; while (q.size()) { node h = q.front(); q.pop(); if (a[h.
x][h.y] == 5) continue; for (int i = 1; i <= 4; i++) { if (a[h.x][h.y] == i) continue; for (int k = 0, xx, yy; ;) {//一直拓展 k++; xx = h.x + dx[i] * k; yy = h.y + dy[i] * k; if (!check(xx, yy) || a[xx - dx[i]][yy - dy[i]] == i) break;//判斷是否能到達 if (v[xx][yy]) continue; v[xx]
[yy] = 1; q.push((node){xx, yy, h.s + 1}); if (xx == N && yy == M) { printf("%d", h.s + 1); return; } } } } printf("No Solution"); return; } int main() { scanf("%d %d", &N, &M); for (int i = 1; i <= N; i++) { scanf("%s", c); for (int j = 0; j < M; j++) if (c[j] == 'U') a[i][j + 1] = 1; else if (c[j] == 'D') a[i][j + 1] = 2; else if (c[j] == 'L') a[i][j + 1] = 3; else if (c[j] == 'R') a[i][j + 1] = 4; else a[i][j + 1] = 5; } a[N][M] = 0;//如果終點上面是S的話也要走 bfs(); }