617. 合并二叉树

简单 · 递归

题目

617. 合并二叉树 官方题解

方法一:递归

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    TreeNode* mergeTrees(TreeNode* root1, TreeNode* root2) {
        if (!root1 && !root2) return nullptr;
           
        if (!root1) return root2;
        if (!root2) return root1;

        root1->val = root1->val + root2->val;
        root1->left = mergeTrees(root1->left, root2->left);
        root1->right = mergeTrees(root1->right, root2->right);

        return root1;
    }
};

时间复杂度:O(min(M, N)),其中 M 和 N 分别是两棵二叉树的节点数。需要遍历的节点数取决于较小的那棵树。 空间复杂度:O(min(H1, H2)),其中 H1 和 H2 分别是两棵二叉树的高度。递归调用栈的空间取决于较小的那棵树的高度。