程序员面试金典:检查子树

检查子树

    • 题目描述
    • 我的解题

题目描述

检查子树。你有两棵非常大的二叉树:T1,有几万个节点;T2,有几万个节点。设计一个算法,判断 T2 是否为 T1 的子树。

如果 T1 有这么一个节点 n,其子树与 T2 一模一样,则 T2 为 T1 的子树,也就是说,从节点 n 处把树砍断,得到的树与 T2 完全相同。

我的解题

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    bool checkSubTree(TreeNode* t1, TreeNode* t2) {
        if(t1==nullptr && t2==nullptr) return true;
        if( (t1==nullptr ^ t2==nullptr)==1) return false;
        if(t1->val == t2->val)
        {
            return checkSubTree(t1->left, t2->left) &  checkSubTree(t1->right, t2->right);
        }
        return checkSubTree(t1->left, t2) | checkSubTree(t1->right, t2);
    }
};

执行用时 :60 ms, 在所有 C++ 提交中击败了86.57%的用户
内存消耗 :42.4 MB, 在所有 C++ 提交中击败了100.00%的用户

你可能感兴趣的:(C++,leetcode,算法)