地址:https://leetcode-cn.com/problems/ju-zhen-zhong-de-lu-jing-lcof/
描述:
给定一个 m x n 二维字符网格 board 和一个字符串单词 word 。如果 word 存在于网格中,返回 true ;否则,返回 false 。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
例如,在下面的 3×4 的矩阵中包含单词 “ABCCED”(单词中的字母已标出)。
实例1:
输入:board = [[“A”,“B”,“C”,“E”],[“S”,“F”,“C”,“S”],[“A”,“D”,“E”,“E”]], word = “ABCCED”
输出:true
实例2:
输入:board = [[“a”,“b”],[“c”,“d”]], word = “abcd”
输出:false
答案:
class Solution {
public boolean exist(char[][] board, String word) {
int rowLen = board.length;
int columnLen = board[0].length;
boolean[][] path = new boolean[rowLen][columnLen];
for (int i = 0; i < rowLen; i++) {
for (int j = 0; j < columnLen; j++) {
back(board, path, i, j, word, 0);
if (tag) {
return true;
}
}
}
return tag;
}
//记录目前是否已经包含word
boolean tag = false;
//path记录每个格是否使用过,row为方格第几行,column为方格第几列,index为word第几个字符
public void back(char[][] board,boolean[][] path, int row, int column, String word, int index) {
if (row < 0 || row >= board.length || column < 0 || column >= board[0].length || path[row][column] ||word.charAt(index) != board[row][column]) {
return;
}
if (index == word.length() - 1) {
tag = true;
return;
}
if (tag) {
return;
}
path[row][column] = true;
back(board, path, row - 1, column, word, index + 1);
back(board, path, row + 1, column, word, index + 1);
back(board, path, row, column - 1, word, index + 1);
back(board, path, row, column + 1, word, index + 1);
path[row][column] = false;
}
}