标签:stream http 描述 hub ace class 不可 code node
https://leetcode-cn.com/problems/subtree-of-another-tree/
// Problem: LeetCode 572
// URL: https://leetcode-cn.com/problems/subtree-of-another-tree/
// Tags: Tree Recursion DFS
// Difficulty: Easy
#include <iostream>
using namespace std;
struct TreeNode{
int val;
TreeNode* left;
TreeNode* right;
};
class Solution{
private:
// 判断s和t两个树是否相同(同质)
bool isSametree(TreeNode* s, TreeNode* t){
// 两个树均为空
if(s==nullptr && t==nullptr)
return true;
// 一个树为空
if(s==nullptr || t==nullptr)
return false;
// 两个树都不为空
if(s->val==t->val)
// 如果根节点的val都相同,则递归比较子树
return isSametree(s->left, t->left) && isSametree(s->right, t->right);
return false;
}
public:
// 判断t是否为s的子树
bool isSubtree(TreeNode* s, TreeNode* t) {
// 如果s是空树,则t不可能是s的子树
if(s==nullptr)
return false;
// t为s的子树有3种可能:s==t、t是s左子树的子树、t是s右子树的子树
return isSametree(s, t) || isSubtree(s->left, t) || isSubtree(s->right, t);
}
};
作者:@臭咸鱼
转载请注明出处:https://www.cnblogs.com/chouxianyu/
欢迎讨论和交流!
标签:stream http 描述 hub ace class 不可 code node
原文地址:https://www.cnblogs.com/chouxianyu/p/13380285.html