• 剑指offer系列——58.对称的二叉树


    Q:请实现一个函数,用来判断一颗二叉树是不是对称的。注意,如果一个二叉树同此二叉树的镜像是同样的,定义其为对称的。
    A:
    递归:

        bool isSymmetrical(TreeNode *pRoot) {
            if (!pRoot)
                return true;
            return comp(pRoot->left, pRoot->right);
        }
    
        bool comp(TreeNode *left, TreeNode *right) {
            if (left == nullptr)
                return right == nullptr;
            if (right == nullptr)
                return false;
            if(left->val!=right->val)
                return false;
            return comp(left->left, right->right) && comp(left->right, right->left);
        }
    

    非递归(感谢@hustZa):
    利用DFS:
    出栈的时候也是成对成对的 ,
    1.若都为空,继续;
    2.一个为空,返回false;
    3.不为空,比较当前值,值不等,返回false;
    4.确定入栈顺序,每次入栈都是成对成对的,如left.left, right.right ;left.rigth,right.left

     boolean isSymmetricalDFS(TreeNode pRoot)
        {
            if(pRoot == null) return true;
            Stack<TreeNode> s = new Stack<>();
            s.push(pRoot.left);
            s.push(pRoot.right);
            while(!s.empty()) {
                TreeNode right = s.pop();//成对取出
                TreeNode left = s.pop();
                if(left == null && right == null) continue;
                if(left == null || right == null) return false;
                if(left.val != right.val) return false;
                //成对插入
                s.push(left.left);
                s.push(right.right);
                s.push(left.right);
                s.push(right.left);
            }
            return true;
        }
    

    利用BFS:
    出队的时候也是成对成对的
    1.若都为空,继续;
    2.一个为空,返回false;
    3.不为空,比较当前值,值不等,返回false;
    4.确定入队顺序,每次入队都是成对成对的,如left.left, right.right ;left.rigth,right.left

     boolean isSymmetricalBFS(TreeNode pRoot)
        {
            if(pRoot == null) return true;
            Queue<TreeNode> s = new LinkedList<>();
            s.offer(pRoot.left);
            s.offer(pRoot.right);
            while(!s.isEmpty()) {
                TreeNode left= s.poll();//成对取出
                TreeNode right= s.poll();
                if(left == null && right == null) continue;
                if(left == null || right == null) return false;
                if(left.val != right.val) return false;
                //成对插入
                s.offer(left.left);
                s.offer(right.right);
                s.offer(left.right);
                s.offer(right.left);
            }
            return true;
        }
    
  • 相关阅读:
    机器学习中的正则化问题(2)——理解正则化
    详解 Python 中的下划线命名规则
    编程面试的算法概念汇总
    group by多字段查询解决礼物统计
    一分钟学会Spring Boot多环境配置切换
    Maven 多模块父子工程 (含Spring Boot示例)
    第1章 Spring Cloud 构建微服务架构(一)服务注册与发现
    第3章 Spring Boot 入门指南
    第5章 Spring Boot 功能
    第4章 CentOS软件安装
  • 原文地址:https://www.cnblogs.com/xym4869/p/12369071.html
Copyright © 2020-2023  润新知