[力扣c语言实现]101.对称二叉树(递归解法)
程序员文章站
2022-05-16 14:59:26
...
1. 题目描述
给定一个二叉树,检查它是否是镜像对称的。
例如,二叉树 [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
说明:
如果你可以运用递归和迭代两种方法解决这个问题,会很加分。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/symmetric-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
2.代码如下
//递归解法
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* };
*/
typedef struct TreeNode node;
bool testSymmetric(node* p,node* q);
bool isSymmetric(struct TreeNode* root) {
node *p,*q;
if(!root)
{
return true;
}
p = root->left;
q = root->right;
return testSymmetric(p,q);
}
bool testSymmetric(node* p,node* q)
{
if(!p&&!q)
{
return true;
}
if((!p&&q)||(p&&!q)||(p->val!=q->val))
{
return false;
}
return testSymmetric(p->left,q->right)&&testSymmetric(p->right,q->left);
}
3.总结
//思路:镜像对称,不能从根节点开始,这题要从根节点以后的结点开始采用递归思想
镜像对称:两个结点,他们的值相同,他们的左孩子值相同,右孩子值相同,这就是镜像对称
上一篇: python实现opencv拍照录像功能