Leetcode1372 最长交错路径,记忆化递归

Posted 牛有肉

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Leetcode1372 最长交错路径,记忆化递归相关的知识,希望对你有一定的参考价值。

  借助全局变量 max 存储全局最优解,遍历以所有节点为头结点的子树。

    static final int LEFT = -1;
    static final int RIGHT = 1;
    int max = 0;

    public final int longestZigZag(TreeNode root) {
        //缓存
        Map<String, Integer> cache = new HashMap<String, Integer>();
        longestZigZagDP(root, LEFT, cache);
        longestZigZagDP(root, RIGHT, cache);
        return max == 0 ? 0 : max - 1;
    }

    /**
     * @Author Niuxy
     * @Date 2020/6/28 8:26 下午
     * @Description G(node, next) 为以 node 为头结点,向 next 方向前进的交错树的长度
     * G(node) 需在 G(node.left)、G(node.right) 中取其大,因为答案可能以任一节点为头节点,因此要遍历以所有头结点的子树
     */
    public final int longestZigZagDP(TreeNode node, int next, Map<String, Integer> cache) {
        if (node == null) {
            return 0;
        }
        String key = node.hashCode() + String.valueOf(next);
        if (cache.containsKey(key)) {
            return cache.get(key);
        }
        int reLe = longestZigZagDP(node.left, RIGHT, cache) + 1;
        int reRi = longestZigZagDP(node.right, LEFT, cache) + 1;
        cache.put(node.hashCode() + String.valueOf(LEFT), reLe);
        cache.put(node.hashCode() + String.valueOf(RIGHT), reRi);
        //局部最优解
        int re = reLe > reRi ? reLe : reRi;
        //全局最优解
        max = max > re ? max : re;
        return next == LEFT ? reRi : reLe;
    }

 

以上是关于Leetcode1372 最长交错路径,记忆化递归的主要内容,如果未能解决你的问题,请参考以下文章

二叉树的最长交错路径

Leetcode 873 最长斐波那契子序列 记忆化递归与剪枝DP

Leetcode之深度优先搜索(DFS)专题-DFS+记忆化 329. 矩阵中的最长递增路径(Longest Increasing Path in a Matrix)

leetcode 576. 出界的路径数

leetcode 1575. 统计所有可行路径

leetcode 63. 不同路径 II