Leetcode 101. 对称二叉树——递归,迭代

Leetcode 101. 对称二叉树——递归,迭代

题目

给定一个二叉树,检查它是否是镜像对称的。

例如,二叉树 [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

链接:https://leetcode-cn.com/problems/symmetric-tree

思路

判断一个树是否对称

1.首先考虑特殊情况,如果跟节点为空,那就肯定对称

2.根节点不为空,左右子树对称,那就对称

3.那怎么判断左右子树对称呢?如果左子树的左子树和右子树的右子树相同,左子树的右子树和右子树的左子树相同那就对称。

题解

递归

/**
 * 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 isSymmetric(TreeNode* root) {
        return ismirror(root,root);
    }

    bool ismirror(TreeNode *p,TreeNode *q)//开始递归
    {
        if(!q && !p)//结点为空肯定为true
            return true;
        else if(!q||!p)//有一个结点非空
            return false;
        else if(p->val==q->val)
            return ismirror(p->left,q->right)&&ismirror(p->right,q->left);//如果结点数值一样那我们继续递归
        return false;
    }
};

迭代BFS

/**
 * 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 isSymmetric(TreeNode* root) {
        if(!root)   return true;
        queue<TreeNode*> q;
        q.push(root->left);
        q.push(root->right);

        while(!q.empty())
        {
            TreeNode * q1 = q.front();
            q.pop();
            TreeNode * q2 = q.front();
            q.pop();
            if(!q1 && !q2)  continue;
            else if((!q1||!q2)||(q1->val!=q2->val))
                return false;
            q.push(q1->left);
            q.push(q2->right);
            q.push(q1->right);
            q.push(q2->left);
        }
        return true;
    }
};

你可能感兴趣的:(Leetcode)