You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

32 lines
652 B

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

package class38;
public class Problem_0617_MergeTwoBinaryTrees {
public static class TreeNode {
public int val;
public TreeNode left;
public TreeNode right;
public TreeNode(int val) {
this.val = val;
}
}
// 当前一棵树的头是t1另一颗树的头是t2
// 请返回整体merge之后的头
public static TreeNode mergeTrees(TreeNode t1, TreeNode t2) {
if (t1 == null) {
return t2;
}
if (t2 == null) {
return t1;
}
// t1和t2都不是空
TreeNode merge = new TreeNode(t1.val + t2.val);
merge.left = mergeTrees(t1.left, t2.left);
merge.right = mergeTrees(t1.right, t2.right);
return merge;
}
}