두 갈래 트리 경로의 최대값

4561 단어 leetcodeLeetCode
Given a binary tree, find the maximum path sum.
For this problem, a path is defined as any sequence of nodes from some starting node to any node in the tree along the parent-child connections. The path must contain at least one node and does not need to go through the root.
For example: Given the below binary tree,
       1
      / \
     2   3

Return 6.
이런 제목은 우리가 이전에 한 구절과 처음부터 두 갈래 나무의 맨 아래 노드에 이르는 경로의 구절과 차이가 많지 않다. 단지 지금 이 나무 안의 임의의 경로 최대치를 구하고 있을 뿐이다.

우리는 먼저 화해를 구하는 사고방식을 세운다


나무 안의 한 경로는 무엇입니까?루트 노드에서 양쪽으로 뻗어 매번 번지는 노드에는 두 가지 선택이 있다. 왼쪽, 오른쪽, 번지는 과정에서cur 노드+양쪽 번지는 경로의 최대치를 기록하고 있다.
/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    private int max;
    public int maxPathSum(TreeNode root) {
        if (root == null) {
            return 0;
        }
        max = Integer.MIN_VALUE;
        countRound(root);
        return max;
    }
    //    node   
    public int countRound(TreeNode node) {
        if (node == null) {
            return 0;
        }
        //  , 
        int left = Math.max(0,countRound(node.left));
        //  , 
        int right = Math.max(0, countRound(node.right));
        max = Math.max(max, (left + right) + node.val);
        return Math.max(left, right) + node.val;
    }
}

Given a binary tree, return the inorder traversal of its nodes’ values.
Example:
Input: [1,null,2,3]
   1
    \
     2
    /
   3

Output:[1,3,2] 우리는 나무의 귀속이 편리하다고 생각하기 쉽지만, 귀속이 아닌 코드는 우리가 써야 한다.
/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public List inorderTraversal(TreeNode root) {
        //if (root != null)
        List res = new ArrayList<>();
        //  
        Stack stack = new Stack<>();
        TreeNode p = root;
        while (p != null || !stack.isEmpty()) {
            //    
            while (p != null) {
                stack.push(p);
                p = p.left;
            }
            if (!stack.isEmpty()) {
                p = stack.pop(); //    
                res.add(p.val);
                p = p.right;
            }
        }
        return res;
    }
}

반복 C++
void inOrder(BinTree *root){  
    if(root!=NULL){  
        inOrder(root->lchild);  
        cout<<root->dada<<" ";  
        inOrder(order->rchild);  
    }  
}  

좋은 웹페이지 즐겨찾기