来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/word-search
给定一个 m x n 二维字符网格 board 和一个字符串单词 word 。如果 word 存在于网格中,返回 true ;否则,返回 false 。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
示例 1:
输入:board = [[“A”,“B”,“C”,“E”],[“S”,“F”,“C”,“S”],[“A”,“D”,“E”,“E”]], word = “ABCCED”
输出:true
示例 2:
输入:board = [[“A”,“B”,“C”,“E”],[“S”,“F”,“C”,“S”],[“A”,“D”,“E”,“E”]], word = “SEE”
输出:true
示例 3:
输入:board = [[“A”,“B”,“C”,“E”],[“S”,“F”,“C”,“S”],[“A”,“D”,“E”,“E”]], word = “ABCB”
输出:false
提示:
m == board.length
n = board[i].length
1 <= m, n <= 6
1 <= word.length <= 15
board 和 word 仅由大小写英文字母组成
思路:妥妥的bfs了,直接上下左右四个方向进行搜索,把每一个可能的起始点加入队列,然后判断当前状态走过的点。这里有个优化,因为每次最多66,然后每个点都有可能6*6,所以所有点会小于10000,如果大了,直接false
class Solution {
public:
struct node{
int x;
int y;
int total;
string s;
bool f[10][10];
}q[100000];
int dx[4]={0,1,0,-1},dy[4]={1,0,-1,0};
int head, tail, m, n,x ,y, i, j, k;
bool exist(vector<vector<char>>& board, string word) {
head = 0; tail = 1;
m = board.size();
n = board[0].size();
for (i = 0; i < m ; i++){
for (j = 0; j < n; j++)
if (board[i][j] == word[0])
{
tail++;
q[tail].x = i;
q[tail].y = j;
q[tail].s = word[0];
q[tail].f[i][j] = true;
q[tail].total = 1;
if (q[tail].s == word) return true;
}
}
while (head < tail){
head++;
x = q[head].x;
y = q[head].y;
for (i = 0; i < 4; i++){
if (x + dx[i] >=0 && y + dy[i] >= 0 && x + dx[i] < m && y + dy[i] < n && q[head].f[x + dx[i]][y + dy[i]] == false){
if (word[q[head].total] == board[x + dx[i]][y + dy[i]]){
if (tail >= 10000) return false;
tail++;
for (k = 0; k < m; k++)
for (j = 0; j < n; j++)
q[tail].f[k][j] = q[head].f[k][j];
q[tail].f[x+dx[i]][y+dy[i]]=true;
q[tail].x = x + dx[i];
q[tail].y = y + dy[i];
q[tail].s += q[head].s + board[x + dx[i]][y + dy[i]];
q[tail].total = q[head].total + 1;
if (q[tail].s == word) return true;
}
}
}
}
return false;
}
};