zoukankan      html  css  js  c++  java
  • [Algo] 140. Maximum Path Sum Binary Tree III

    Given a binary tree in which each node contains an integer number. Find the maximum possible subpath sum(both the starting and ending node of the subpath should be on the same path from root to one of the leaf nodes, and the subpath is allowed to contain only one node).

    Assumptions

    • The root of given binary tree is not null

    Examples

       -5

      /    

    2      11

         /    

        6     14

               /

            -3

    The maximum path sum is 11 + 14 = 25

    Solution 1:

    /**
     * public class TreeNode {
     *   public int key;
     *   public TreeNode left;
     *   public TreeNode right;
     *   public TreeNode(int key) {
     *     this.key = key;
     *   }
     * }
     */
    public class Solution {
      int maxValue = Integer.MIN_VALUE;
      public int maxPathSum(TreeNode root) {
        // Write your solution here
        helper(root, 0);
        return maxValue;
      }
    
      private void helper(TreeNode root, int preSum) {
        if (root == null) {
          return;
        }
        int curSum = preSum < 0 ? root.key : root.key + preSum;
        maxValue = Math.max(maxValue, curSum);
        helper(root.left, curSum);
        helper(root.right, curSum);
      }
    }

    Solution 2:

    /**
     * public class TreeNode {
     *   public int key;
     *   public TreeNode left;
     *   public TreeNode right;
     *   public TreeNode(int key) {
     *     this.key = key;
     *   }
     * }
     */
    public class Solution {
      int maxValue = Integer.MIN_VALUE;
      public int maxPathSum(TreeNode root) {
        // Write your solution here
        helper(root);
        return maxValue;
      }
    
      private int helper(TreeNode root) {
        if (root == null) {
          return 0;
        }
        int left = helper(root.left);
        int right = helper(root.right);
        int curSum = root.key + Math.max(0, Math.max(left, right));
        maxValue = Math.max(maxValue, curSum);
        return curSum;
      }
    }
  • 相关阅读:
    CCNP路由实验(4) -- BGP
    CCNP路由实验(3) -- 路由控制
    CCNP路由实验(2) -- OSPF
    什么是依赖注入
    java中接口的定义与实现
    火炬之光模型导出(Unity载入火炬之光的模型)
    【创新培育项目】为什么要组队參加比赛?及如何寻找一个合适的选题?
    oracle中schema指的是什么?
    介绍自己上架的第一个游戏
    unity 打包资源及网络请求资源包
  • 原文地址:https://www.cnblogs.com/xuanlu/p/12425945.html
Copyright © 2011-2022 走看看