美文网首页leetcode题解
【Leetcode】617—Merge Two Binary T

【Leetcode】617—Merge Two Binary T

作者: Gaoyt__ | 来源:发表于2019-07-18 22:40 被阅读0次
    一、题目描述

    给定两个二叉树,想象当你将它们中的一个覆盖到另一个上时,两个二叉树的一些节点便会重叠。
    你需要将他们合并为一个新的二叉树。合并的规则是如果两个节点重叠,那么将他们的值相加作为节点合并后的新值,否则不为 NULL 的节点将直接作为新二叉树的节点。

    二、代码实现

    当两个结点合并时,如果这两个结点都存在,那么直接值相加,如果有一个不存在,直接返回另一个。

    # Definition for a binary tree node.
    # class TreeNode(object):
    #     def __init__(self, x):
    #         self.val = x
    #         self.left = None
    #         self.right = None
    
    class Solution(object):
        def mergeTrees(self, t1, t2):
            """
            :type t1: TreeNode
            :type t2: TreeNode
            :rtype: TreeNode
            """
            if not t1: return t2
            if not t2: return t1
            t1.val = t1.val + t2.val
            t1.left = self.mergeTrees(t1.left, t2.left)
            t1.right = self.mergeTrees(t1.right, t2.right)
            return t1
    

    相关文章

      网友评论

        本文标题:【Leetcode】617—Merge Two Binary T

        本文链接:https://www.haomeiwen.com/subject/wqihlctx.html