zoukankan      html  css  js  c++  java
  • 65、剑指offer--矩阵中的路径

    题目描述
    请设计一个函数,用来判断在一个矩阵中是否存在一条包含某字符串所有字符的路径。路径可以从矩阵中的任意一个格子开始,每一步可以在矩阵中向左,向右,向上,向下移动一个格子。如果一条路径经过了矩阵中的某一个格子,则该路径不能再进入该格子。 例如 a b c e s f c s a d e e 矩阵中包含一条字符串"bcced"的路径,但是矩阵中不包含"abcb"路径,因为字符串的第一个字符b占据了矩阵中的第一行第二个格子之后,路径不能再次进入该格子。
     
    解题思路:本题是典型的回溯法问题,路径用栈存储,当在矩阵中定位了前n个字符的位置之后,在与第n个字符对应的格子周围没有找到第n+1个字符,则回到n-1个字符,再重新找第n个字符,因为不可以一个字符用多次,因此使用布尔值矩阵,来标识路径是否已经进入了每个格子。
     1 class Solution {
     2 public:
     3     bool hasPathCore(char *matrix,int rows,int cols,int row,int col,char *str,int &pathLength,bool *visit)
     4     {
     5         if(str[pathLength] == '')
     6             return true;
     7         bool hasPath = false;
     8         if(row>=0 && row<rows && col >= 0 && col < cols && matrix[row*cols+col] == str[pathLength] && !visit[row*cols+col])
     9         {
    10             ++pathLength;
    11             visit[row*cols+col] = true;
    12             hasPath = hasPathCore(matrix,rows,cols,row,col-1,str,pathLength,visit) ||
    13                       hasPathCore(matrix,rows,cols,row,col+1,str,pathLength,visit) ||
    14                       hasPathCore(matrix,rows,cols,row-1,col,str,pathLength,visit) ||
    15                       hasPathCore(matrix,rows,cols,row+1,col,str,pathLength,visit);
    16             if(!hasPath)
    17             {
    18                 --pathLength;
    19                 visit[row*cols+col] = false;
    20             }
    21         }
    22         return hasPath;
    23     }
    24  
    25     bool hasPath(char* matrix, int rows, int cols, char* str)
    26     {
    27         if(matrix == NULL || rows < 1 || cols < 1 || str == NULL)
    28             return false;
    29         bool *visit = new bool[rows*cols];
    30         memset(visit,0,rows*cols);
    31         int pathLength = 0;
    32         for(int row = 0;row < rows;row++)
    33         {
    34             for(int col = 0;col < cols;col++)
    35             {
    36                 if(hasPathCore(matrix,rows,cols,row,col,str,pathLength,visit))
    37                 {
    38                     delete[] visit;
    39                     return true;
    40                 }
    41             }
    42         }
    43         delete[] visit;
    44         return false;
    45     }
    46 };
  • 相关阅读:
    C++ vector介绍
    C++string的使用
    关于VS2010error RC2170 : bitmap file res mp1.bmp is not in 3.00 format
    团队项目第一次讨论
    团队项目——铁大树洞个人分析
    第五周学习进度总结
    转发
    android移动端疫情展示
    《构建之法》阅读笔记03
    第四周学习进度总结
  • 原文地址:https://www.cnblogs.com/qqky/p/7125984.html
Copyright © 2011-2022 走看看