題目描述
請設(shè)計一個函數(shù)侥蒙,用來判斷在一個矩陣中是否存在一條包含某字符串所有字符的路徑暗膜。路徑可以從矩陣中的任意一個格子開始,每一步可以在矩陣中向左鞭衩,向右学搜,向上,向下移動一個格子论衍。如果一條路徑經(jīng)過了矩陣中的某一個格子瑞佩,則該路徑不能再進(jìn)入該格子。 例如 a b c e s f c s a d e e 矩陣中包含一條字符串"bccced"的路徑坯台,但是矩陣中不包含"abcb"路徑炬丸,因為字符串的第一個字符b占據(jù)了矩陣中的第一行第二個格子之后,路徑不能再次進(jìn)入該格子蜒蕾。
public class Solution {
public boolean hasPath(char[] matrix, int rows, int cols, char[] str)
{
if(matrix==null||rows<1||cols<1||str==null)
return false;
char[][] board = new char[rows][cols];
for(int i=0;i<rows;i++)
for(int j=0;j<cols;j++)
{
board[i][j] = matrix[i*cols + j];
}
boolean[][] visited = new boolean[rows][cols];
for(int i=0;i<rows;i++)
for(int j=0;j<cols;j++)
{
if(DFS(board,str,0,i,j,visited))
return true;
}
return false;
}
boolean DFS(char[][] board,char[] word,int index,int i,int j,boolean[][] visited)
{
if(index == word.length)
return true;
if(i<0||j<0||i>=board.length||j>=board[0].length)
return false;
if(visited[i][j])
return false;
if(board[i][j]!=word[index])
return false;
visited[i][j] = true;
int[][] direction = {{-1,0},{1,0},{0,-1},{0,1}};
for(int k=0;k<direction.length;k++)
{
int ii = i + direction[k][0];
int jj = j + direction[k][1];
if(DFS(board,word,index+1,ii,jj,visited))
return true;
}
visited[i][j] = false;
return false;
}
}