问题描述(原题链接)
给定一个 m x n 二维字符网格 board 和一个字符串单词 word 。如果 word 存在于网格中,返回 true ;否则,返回 false 。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
代码:
class Solution {
public boolean exist(char[][] board, String word) {
//回溯
int line = board.length;
int row = board[0].length;
boolean res = false;
boolean[][] visit = new boolean[line][row];
StringBuffer temp = new StringBuffer();
for(int i=0;i<line;i++)
for(int j=0;j<row;j++){ //以任意i j开始搜索查找
res = search(board,word,visit,i,j,0);
if(res)
return true;
}
return false;
}
private boolean search(char[][]board,String word,boolean[][] visit,int i,int j, int index){
if(board[i][j]!=word.charAt(index))
return false;
else if(index==word.length()-1)
return true;
int[][] pos=new int[][]{{1,0},{-1,0},{0,1},{0,-1}};
visit[i][j]=true;
boolean rest=false;
for(int tempi=0;tempi<4;tempi++){
int newx = pos[tempi][0]+i;
int newy = pos[tempi][1]+j;
if(newx>=0 && newy>=0 && newx<board.length && newy<board[0].length && visit[newx][newy]==false && index<word.length()){
rest=search(board,word,visit,newx,newy,index+1);
if(rest)
break;
}
}
visit[i][j]=false;
return rest;
}
}