美文网首页LeetCode/LintCode
572. Subtree of Another Tree

572. Subtree of Another Tree

作者: greatseniorsde | 来源:发表于2018-02-09 09:56 被阅读0次

我也不知道为什么一开始把isSame无脑简化为s == t这样了?判断两颗树是否相等其实是另外一道题100. Same Tree
s == t 意思是说s和t是同一棵树的reference, 但是我们这里的same tree的意思是root.val相同,左右子树val相同……但不是指内存上同一颗树。

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public boolean isSubtree(TreeNode s, TreeNode t) {
        if (s == null){
            return false;
        }
        if (isSame(s, t)){
            return true;
        }
        return  isSubtree(s.left, t) || isSubtree(s.right, t);
    }
    
    private boolean isSame(TreeNode s, TreeNode t){
        if (s == null && t == null){
            return true;
        }
        if (s == null || t == null){
            return false;
        }
        if (s.val != t.val){
            return false;
        }   
        if (!isSame(s.left, t.left)){
            return false;
        }
        if (!isSame(s.right, t.right)){
            return false;
        }
        return true;
    }
}

相关文章

网友评论

    本文标题:572. Subtree of Another Tree

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