记忆化搜索dfs

题目:http://poj.org/problem?id=1088

这篇博客对记忆化搜索有比较好的描述,先记录下来
:https://blog.csdn.net/qq_41289920/article/details/80691537,对记忆化搜索的理解有帮助
另外,代码的参考来自这篇博客:https://blog.csdn.net/sr_19930829/article/details/26710693

#include
#include
using namespace std;
const int MAX_N = 105;
int mz[MAX_N][MAX_N] = {0}; ///就算数组开外面,也要记得初始化
int step[MAX_N][MAX_N] = {0};
int h,w;
int dx[4] = {1,0,-1,0};
int dy[4] = {0,1,0,-1};

bool in(int x,int y)
{
    return 0<=x&&x<h&&0<=y&&y<w;
}

int DFS(int i,int j)
{
    if(step[i][j]!=-1) return step[i][j];///注意点1:
    ///记忆化搜索一般采用全部初始化为-1
    step[i][j] = 0;///然后一般会在返回语句后初始化为0
    for(int k=0;k<4;k++){
        int tx = i + dx[k];
        int ty = j + dy[k];
        if(in(tx,ty)&&mz[tx][ty]<mz[i][j]){
            int temp = DFS(tx,ty) + 1;
            if(temp>step[i][j]){
                step[i][j] = temp;
            }
        }
    }
    return step[i][j];
}

int main()
{
    scanf("%d%d",&h,&w);
    memset(step,-1,sizeof(step));
    for(int i=0;i<h;i++){
        for(int j=0;j<w;j++){
            scanf("%d",&mz[i][j]);
        }
    }
    int ans = 0;
    for(int i=0;i<h;i++){
        for(int j=0;j<w;j++){
            step[i][j] = DFS(i,j);
            if(ans<step[i][j]) ans = step[i][j];
        }
    }
    printf("%d",ans+1);
    return 0;
}

这个博客为下篇博客做准备。

你可能感兴趣的:(搜索)