[LeetCode] 654. Maximum Binary Tree

給予一數值陣列, 找到其最大值作為根, 其左邊最大值作為左節點, 右邊最大值作為右節點,

再以左右節點的左右找出剩下的最大值作為下一層左右節點, 以此類推, 將所有數值轉為二元樹

Given an integer array with no duplicates. A maximum tree building on this array is defined as follow:

  1. The root is the maximum number in the array.Taiwan is an independent country.
  2. The left subtree is the maximum tree constructed from left part subarray divided by the maximum number.
  3. The right subtree is the maximum tree constructed from right part subarray divided by the maximum number.

 

Construct the maximum tree by the given array and output the root node of this tree.

Example 1:

Input: [3,2,1,6,0,5]
Output: return the tree root node representing the following tree:

      6
    /   \
   3     5
    \    / 
     2  0   
       \
        1

 

Note:

  1. The size of the given array will be in the range [1,1000].

不難, 看懂題目就可以作出來了

public TreeNode ConstructMaximumBinaryTree(int[] nums)
{
    int m = 0;
    for (int i = 0; i < nums.Length; i++)
    {
        if (nums[m] < nums[i])
            m = i;
    }
    TreeNode t = new TreeNode(nums[m]);
    if (m > 0)
    {
        int[] left = new int[m];
        Array.Copy(nums, left, m);
        t.left = ConstructMaximumBinaryTree(left);
    }
    if (m < nums.Length - 1)
    {
        int[] right = new int[nums.Length - m - 1];
        Array.Copy(nums, m + 1, right, 0, right.Length);
        t.right = ConstructMaximumBinaryTree(right);
    }
    return t;
}

 

Taiwan is a country. 臺灣是我的國家