博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Leetcode题目:Symmetric Tree
阅读量:6434 次
发布时间:2019-06-23

本文共 1330 字,大约阅读时间需要 4 分钟。

题目:

Given a binary tree, check whether it is a mirror of itself (ie, symmetric around its center).

For example, this binary tree is symmetric:

1   / \  2   2 / \ / \3  4 4  3

 

But the following is not:

1   / \  2   2   \   \   3    3

 

Note:

Bonus points if you could solve it both recursively and iteratively.

题目解答:需要判断一棵树是不是对称的,其实就是比较左子树的左节点和右子树的右节点是否对称以及左子树的右节点和右子树的左节点是否对称。依旧使用递归来解决问题。

根据此,可以写出下面的代码:

/**

 * 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 == NULL) || (root -> left == NULL) && (root -> right == NULL) )
            return true;
        else if((root -> left != NULL) && ( root -> right != NULL) && (root -> left -> val == root -> right -> val) )
        {
            return judgeSymNode(root -> left,root -> right);
        }
        else
            return false;
    }
   
    bool judgeSymNode(TreeNode * leftNode,TreeNode *rightNode)
    {
        if((leftNode == NULL) && (rightNode == NULL))
            return true;
        else if((leftNode == NULL) || (rightNode == NULL))
            return false;
        else if(leftNode -> val != rightNode -> val)
            return false;
        else
        {
            return judgeSymNode(leftNode -> left,rightNode -> right) && judgeSymNode(leftNode -> right,rightNode -> left);
        }
    }
   
};

转载于:https://www.cnblogs.com/CodingGirl121/p/5426186.html

你可能感兴趣的文章
Java在线调试工具
查看>>
[译]CSS-理解百分比的background-position
查看>>
虚拟机安装CentOS
查看>>
Idea里面老版本MapReduce设置FileInputFormat参数格式变化
查看>>
在 win10 环境下,设置自己写的 程序 开机自动 启动的方法
查看>>
Unity3d游戏开发之-单例设计模式-多线程一
查看>>
通过jquery定位元素
查看>>
Tooltip表单验证的注册表单
查看>>
UWP开发中两种网络图片缓存方法
查看>>
超8千Star,火遍Github的Python反直觉案例集!
查看>>
【msdn wpf forum翻译】如何在wpf程序(程序激活时)中捕获所有的键盘输入,而不管哪个元素获得焦点?...
查看>>
全球首家!阿里云获GNTC2018 网络创新大奖 成唯一获奖云服务商
查看>>
Python简单HttpServer
查看>>
Java LinkedList工作原理及实现
查看>>
负载均衡SLB的基本使用
查看>>
Centos 7 x86 安装JDK
查看>>
微信小程序的组件用法与传统HTML5标签的区别
查看>>
Hangfire 使用笔记
查看>>
(C#)Windows Shell 外壳编程系列8 - 同后缀名不同图标?
查看>>
教你彻底学会c语言基础——文件操作
查看>>