중차 역류와 후차 역류 트리에 따라 두 갈래 트리를 구성한다

4315 단어 Leetcode

1. 제목 설명


중차 역류와 후차 역류 트리에 따라 두 갈래 트리를 구성한다
주의사항: 트리에 같은 수치의 노드가 존재하지 않는다고 가정할 수 있습니다
샘플은 나무의 중차 역력:[1,2,3]과 후차 역력:[1,3,2]
다음 트리로 돌아갑니다.
   2
 /   \
1     3

2. 문제 풀이 사고방식


사고방식은 앞의 순서와 뒤의 순서로 트리를 구성하는 두 갈래 트리와 유사하다. 첫째, 뒤의 순서에 따라 마지막 숫자에 따라 루트 결점을 만든다. (뒤의 순서를 반복하는 마지막 숫자는 루트 결점이다.) 둘째, 중간의 순서에서 루트 결점이 있는 위치를 찾으면 왼쪽, 오른쪽 하위 트리 결점의 수량을 확정할 수 있다. 이렇게 하면 각각 왼쪽,오른쪽 트리의 중차 역행 시퀀스와 후차 역행 시퀀스.3. 그리고 귀속적인 방법으로 왼쪽, 오른쪽 나무를 세워 잎이 맺힐 때까지 한다.

3. 코드 구현

/**
 * Definition of TreeNode:
 * public class TreeNode {
 *     public int val;
 *     public TreeNode left, right;
 *     public TreeNode(int val) {
 *         this.val = val;
 *         this.left = this.right = null;
 *     }
 * }
 */


public class Solution {
    /**
     *@param inorder : A list of integers that inorder traversal of a tree
     *@param postorder : A list of integers that postorder traversal of a tree
     *@return : Root of a tree
     */
    // 
    private int findPosition(int[] array, int start, int end, int key) {
        for (int i = start; i <= end; i++) {
            if (array[i] == key) {
                return i;
            }
        }
        return -1;
    }
    // , 
    private TreeNode myBuildTree(int[] inorder, int inStart, int inEnd, int[] postorder, int postStart, int postEnd) {
        if (inStart > inEnd) {
            return null;
        }
        // root
        TreeNode root = new TreeNode(postorder[postEnd]);
        // position
        int position = findPosition(inorder, inStart, inEnd, postorder[postEnd]);
        // 
        root.left = myBuildTree(inorder, inStart, position - 1, postorder, postStart, postStart + (position - inStart- 1));
        // 
        root.right = myBuildTree(inorder, position + 1, inEnd, postorder, postStart + (position - inStart), postEnd - 1);
        return root;    // 
    }
    public TreeNode buildTree(int[] inorder, int[] postorder) {
        // write your code here
        if (inorder.length != postorder.length) {
            return null;
        }
        return myBuildTree(inorder, 0, inorder.length - 1, postorder, 0, postorder.length - 1);
    }

}

4. 주의사항


서열에서 왼쪽, 오른쪽 트리를 구분할 때 수조의 아래 표시를 확정하려면 반드시 꼼꼼해야 한다. 그렇지 않으면 수조의 경계 이상이 생기기 쉬우며 정확한 두 갈래 트리를 얻지 못할 것이다.

좋은 웹페이지 즐겨찾기