LeetCode 617 Merge Two Binary Trees(递归合并二叉树)
程序员文章站
2022-05-20 10:31:32
...
Given two binary trees and imagine that when you put one of them to cover the other, some nodes of the two trees are overlapped while the others are not.
You need to merge them into a new binary tree. The merge rule is that if two nodes overlap, then sum node values up as the new value of the merged node. Otherwise, the NOT null node will be used as the node of new tree.
Example 1:
Input: Tree 1 Tree 2 1 2 / \ / \ 3 2 1 3 / \ \ 5 4 7 Output: Merged tree: 3 / \ 4 5 / \ \ 5 4 7
Note: The merging process must start from the root nodes of both trees.
题目大意:给出两棵二叉树,返回两棵树合并后的结果。
解题思路:一般二叉树的题目,用递归比较好处理。我们可以先合并根节点,然后递归地合并左子树以及右子树即可。
代码如下;
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* };
*/
struct TreeNode* mergeTrees(struct TreeNode* t1, struct TreeNode* t2) {
if(t1 == NULL && t2 == NULL) return NULL;
else if(t1 == NULL) return t2;
else if(t2 == NULL) return t1;
else {
t1->val += t2->val;
t1->left = mergeTrees(t1->left, t2->left);
t1->right = mergeTrees(t1->right, t2->right);
return t1;
}
}
上一篇: leetcode-617. 合并二叉树(递归与迭代实现)
下一篇: vector与内部数组性能差异
推荐阅读
-
617. Merge Two Binary Trees
-
【leetcode】617. 合并二叉树(merge-two-binary-trees)(dfs)[简单]
-
leetcode 617.合并二叉树【递归连接二叉树】
-
[ C语言 LeetCode 617 ] 合并二叉树的递归算法
-
leetcode 617. 合并二叉树 基础递归
-
leetcode-617. 合并二叉树(递归与迭代实现)
-
LeetCode 617 Merge Two Binary Trees(递归合并二叉树)
-
leetcode617. 合并二叉树(递归)
-
Leetcode617. 合并二叉树(二叉树,递归)
-
leetcode--递归法之-617. 合并二叉树