剑指 Offer 28. 对称的二叉树
作者:互联网
请实现一个函数,用来判断一棵二叉树是不是对称的。如果一棵二叉树和它的镜像一样,那么它是对称的。
例如,二叉树 [1,2,2,3,4,4,3] 是对称的。
1
/ \
2 2
/ \ / \
3 4 4 3
但是下面这个 [1,2,2,null,3,null,3] 则不是镜像对称的:
1
/ \
2 2
\ \
3 3
示例 1:
输入:root = [1,2,2,3,4,4,3]
输出:true
示例 2:
输入:root = [1,2,2,null,3,null,3]
输出:false
限制:
0 <= 节点个数 <= 1000
跟上一题一样
/** * 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 dfs(TreeNode* root1, TreeNode* root2) { if(root1 == nullptr && root2 == nullptr) { return true; } else if(root1 == nullptr) return false; else if(root2 == nullptr) return false; else if(root1->val != root2->val) return false; if(!dfs(root1->left, root2->right)) return false; if(!dfs(root1->right, root2->left)) return false; return true; } bool isSymmetric(TreeNode* root) { return dfs(root, root); } };
标签:TreeNode,Offer,root,28,二叉树,return,false,root1,root2 来源: https://www.cnblogs.com/WTSRUVF/p/16464194.html