在一个 N × N 的方形网格中,每个单元格有两种状态:空(0)或者阻塞(1)。
一条从左上角到右下角、长度为 k 的畅通路径,由满足下述条件的单元格 C_1, C_2, ..., C_k 组成:
相邻单元格 C_i 和 C_{i+1} 在八个方向之一上连通(此时,C_i 和 C_{i+1} 不同且共享边或角)
C_1 位于 (0, 0)(即,值为 grid[0][0])
C_k 位于 (N-1, N-1)(即,值为 grid[N-1][N-1])
如果 C_i 位于 (r, c),则 grid[r][c] 为空(即,grid[r][c] == 0)
返回这条从左上角到右下角的最短畅通路径的长度。如果不存在这样的路径,返回 -1 。
🔗 https://leetcode-cn.com/problems/shortest-path-in-binary-matrix
迷宫的最短路题目: BFS解题
class Solution {
public:
int shortestPathBinaryMatrix(vector<vector<int>>& grid) {
const int N = 105;
queue<pair<int,int>>q;
int visited[N][N];
memset(visited,0,sizeof visited);
if (grid[0][0]) return -1;
visited[0][0] = 1;
q.push({0,0});
int height = grid.size();
int width = grid[0].size();
int dx[] = {-1,-1,1,1,0,0,1,-1};
int dy[] = {1,-1,-1,1,1,-1,0,0};
while(!q.empty()){
int len = q.size();
while(len--){
int y = q.front().first; // 队列的pop()弹出队头元素,但是不返回队头元素.
int x = q.front().second;
q.pop();
for (int k = 0 ; k < 8 ; ++k){
int yy = y + dy[k];
int xx = x + dx[k];
if (yy == height - 1 && xx == width - 1 && !grid[yy][xx])
return visited[y][x] + 1;
if (0 <= yy && yy < height && 0 <= xx && xx < width && !grid[yy][xx] && !visited[yy][xx]){
q.push({yy,xx});
visited[yy][xx] = visited[y][x] + 1; // 墨水染色的操作,使得第一次走到这个点就是到它的最短路.
}
}
}
}
return -1;
}
};
来源:https://blog.csdn.net/weixin_41514525/article/details/98779015