剑指offer65:矩阵中的路径
题目来源:剑指offer65:矩阵中的路径
题目描述
请设计一个函数,用来判断在一个矩阵中是否存在一条包含某字符串所有字符的路径。路径可以从矩阵中的任意一个格子开始,每一步可以在矩阵中向左,向右,向上,向下移动一个格子。如果一条路径经过了矩阵中的某一个格子,则该路径不能再进入该格子。
解题思路:
回溯
class Solution {
public:
bool hasPath(char* matrix, int rows, int cols, char* str)
{
if(matrix==NULL||rows<1||cols<1||str==NULL) return false;
bool *visited=new bool[rows*cols];
memset(visited,0,rows*cols);
int pathLength=0;
for(int i=0;i<rows;i++){
for(int j=0;j<cols;j++){
if(hasPathJudge(matrix,rows,cols,i,j,str,pathLength,visited))
return true;
}
}
delete [] visited;
return false;
}
bool hasPathJudge(char* matrix,int rows,int cols,int row,int col,char* str,int &pathLength,bool *visited){
if(str[pathLength]=='\0') return true;
bool hasPath=false;
if(row>=0&&row<rows&&col>=0&&col<cols&&matrix[row*cols+col]==str[pathLength]&&visited[row*cols+col]==false){
++pathLength;
visited[row*cols+col]=true;
hasPath=hasPathJudge(matrix,rows,cols,row+1,col,str,pathLength,visited)
||hasPathJudge(matrix,rows,cols,row,col+1,str,pathLength,visited)
||hasPathJudge(matrix,rows,cols,row-1,col,str,pathLength,visited)
||hasPathJudge(matrix,rows,cols,row,col-1,str,pathLength,visited);
if(!hasPath){
--pathLength;
visited[row*cols+col]=false;
}
}
return hasPath;
}
};