329. 矩阵中的最长递增路径

题目

(https://leetcode-cn.com/problems/longest-increasing-path-in-a-matrix/)
给定一个整数矩阵,找出最长递增路径的长度。

对于每个单元格,你可以往上,下,左,右四个方向移动。 你不能在对角线方向上移动或移动到边界外(即不允许环绕)。

示例 1:

输入: nums =
[
[9,9,4],
[6,6,8],
[2,1,1]
]
输出: 4
解释: 最长递增路径为 [1, 2, 6, 9]。
示例 2:

输入: nums =
[
[3,4,5],
[3,2,6],
[2,2,1]
]
输出: 4
解释: 最长递增路径是 [3, 4, 5, 6]。注意不允许在对角线方向上移动。

分析

自己的思路跟下面的思路是一样。但是实际写出来的却一直有问题。最后直接换了评论区大神的代码来

思路就是从头开始遍历数字的每一位。然后使用递归,对每一位数的4个走向进行判断。

代码

class Solution {
    static int[][] dp;//标记是否走过的数组
    static int[][] jyh;//记忆化数组 值表示当前位置能走的最大长度
    public int longestIncreasingPath(int[][] matrix) {
        if (matrix.length == 0) return 0;
            if (matrix.length == 1 && matrix[0].length == 1) return 1;
            dp = matrix;
            jyh = new int[matrix.length][matrix[0].length];
            int[][] arr = new int[matrix.length][matrix[0].length];
            int max = 0;
            for (int i = 0; i < matrix.length; i++) {
                for (int j = 0; j < matrix[i].length; j++) {
                    //jyh 不等0 表示当前节点遍历过了
                    if (jyh[i][j] != 0) continue;
                    max = Math.max(max, dfs(i, j, arr, Integer.MIN_VALUE));
                }
            }
            return max;
    }
    
     private int dfs(int x, int y, int[][] arr, int pre) {
            if (arr[x][y] == 1) return 0;
            if (dp[x][y] <= pre) return 0;
            if (jyh[x][y] != 0) {
                return jyh[x][y];
            }
            arr[x][y] = 1;
            int max = 0;
            if (x > 0) {// 上
                max = Math.max(max, dfs(x - 1, y, arr, dp[x][y]) + 1);
            }
            if (x < dp.length - 1) { //下
                max = Math.max(max, dfs(x + 1, y, arr, dp[x][y]) + 1);
            }
            if (y > 0) {  //左
                max = Math.max(max, dfs(x, y - 1, arr, dp[x][y]) + 1);
            }
            if (y < dp[x].length - 1) { //右
                max = Math.max(max, dfs(x, y + 1, arr, dp[x][y]) + 1);
            }
            jyh[x][y] = max;
            arr[x][y] = 0;
            return max;
        }
}

结果

image.png

你可能感兴趣的:(329. 矩阵中的最长递增路径)