题目
(https://leetcode-cn.com/problems/word-search/)
给定一个二维网格和一个单词,找出该单词是否存在于网格中。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
示例:
board =
[
['A','B','C','E'],
['S','F','C','S'],
['A','D','E','E']
]
给定 word = "ABCCED", 返回 true.
给定 word = "SEE", 返回 true.
给定 word = "ABCB", 返回 false.
分析
这个题目跟(https://leetcode-cn.com/problems/longest-increasing-path-in-a-matrix/)会类似
我的做法也一样。
但是看到评论区的一个好点子。
就是方向可以用 directions = [(0, -1), (-1, 0), (0, 1), (1, 0)]来区分。这样不会乱
思路就是。从头开始遍历。对每一数组的在开始一次dfs,dfs就是从上下左右开始遍历,用marked来标记是否使用过
对他的优化。就是只有满足word[0]开头的才进行dfs。要不然就不进行dfs
代码
public class Solution {
//标记是否使用过
private boolean[][] marked;
// x-1,y
// x,y-1 x,y x,y+1
// x+1,y
private int[][] direction = {{-1, 0}, {0, -1}, {0, 1}, {1, 0}};
// 盘面上有多少行
private int m;
// 盘面上有多少列
private int n;
private String word;
private char[][] board;
public boolean exist(char[][] board, String word) {
m = board.length;
if (m == 0) {
return false;
}
n = board[0].length;
marked = new boolean[m][n];
this.word = word;
this.board = board;
//遍历数组
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if(board[i][j]==word.charAt(0)){
//对每一个进行dfs
if (dfs(i, j, 0)) {
return true;
}
}
}
}
return false;
}
private boolean dfs(int i, int j, int start) {
if (start == word.length() - 1) {
return board[i][j] == word.charAt(start);
}
if (board[i][j] == word.charAt(start)) {
marked[i][j] = true;
for (int k = 0; k < 4; k++) {
int newX = i + direction[k][0];
int newY = j + direction[k][1];
if (inArea(newX, newY) && !marked[newX][newY]) {
if (dfs(newX, newY, start + 1)) {
return true;
}
}
}
marked[i][j] = false;
}
return false;
}
private boolean inArea(int x, int y) {
return x >= 0 && x < m && y >= 0 && y < n;
}
}