LeetCode101. 对称二叉树

Posted Galaxy_hao

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode101. 对称二叉树相关的知识,希望对你有一定的参考价值。

题目

给定一个二叉树,检查它是否是镜像对称的。
例如,二叉树 [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

说明:
如果你可以运用递归和迭代两种方法解决这个问题,会很加分。

本题同【剑指Offer】面试题28. 对称的二叉树

思路一:递归

利用镜像。

代码

时间复杂度:O(n)
空间复杂度:O(n)

class Solution {
public:
    bool isSymmetric(TreeNode* root) {
        return isMirror(root, root);
    }

    bool isMirror(TreeNode *root, TreeNode *copy) {
        if (!root && !copy) return true;
        if (!root || !copy) return false;
        if (root->val == copy->val) {
            return isMirror(root->left, copy->right) && isMirror(root->right, copy->left);
        }
        return false;
    }
};

思路二:迭代

将树的左右节点按相关顺序插入队列中,判断队列中每两个节点是否相等。

代码

时间复杂度:O(n)
空间复杂度:O(n)

class Solution {
public:
    bool isSymmetric(TreeNode* root) {
        if (!root) return true;
        queue<TreeNode*> que;                
        que.push(root);
        que.push(root);
        while (!que.empty()) {
            TreeNode *node1 = que.front();
            que.pop();
            TreeNode *node2 = que.front();
            que.pop();
            if (!node1 && !node2) continue;
            if (!node1 || !node2 || node1->val != node2->val) return false;
            que.push(node1->left);
            que.push(node2->right);
            que.push(node1->right);
            que.push(node2->left);            
        }
        return true;
    }
};

以上是关于LeetCode101. 对称二叉树的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode第101题—对称二叉树—Python实现

LeetCode 101.对称二叉树 - JavaScript

⭐算法入门⭐《二叉树》简单03 —— LeetCode 101. 对称二叉树

LeetCode-101-对称二叉树

精选力扣500题 第64题 LeetCode 101. 对称二叉树c++/java详细题解

LeetCode 101. 对称二叉树(二叉树,递归)