请实现一个函数,用来判断一颗二叉树是不是对称的。注意,如果一个二叉树同此二叉树的镜像是同样的,定义其为对称的。
思路
(1)题中已经给出了思路,比较镜像。所以本题解法步骤分为 复制树,转化为镜像,比较三个步骤。
(2)关于父类传引用进入函数方法中时,不需要备份,因为子类改变的是参数列表中的指针位置。
解法1-三步走
(1)step1,复制树。首先得TreeNode head = new TreeNode(root.val);
new出一个头结点,并备份,其次在递归子函数中去递归赋值,前序遍历赋值。
(2)step2,镜像树。首先返回值类型为void
即可。头结点一直在父函数中,子函数中的引用关系改变后,整棵树在所有位置的结构都发生了改变;其次也是前序遍历的操作,根左右。
(3)step3,遍历比较树。还是递归的思想的运用,比较永远发生在当前的结点上,与之前之后的结点均无关系,必须拎得清。其次,在这里是两个树,比较的是对应左右子树结构上的值是否相同,而不是比较引用。最后关于"//attention"处,前面只有同时为null 是比较ok的情况,而任意一个为空也需要考虑。另外就是这种写法,综合左右子树的两个递归 return traversal(node1.left,node2.left) && traversal(node1.right,node2.right);
!
nowcoder的AC
提交时间:2020-01-08 ,语言:Java ,运行时间: 16 ms ,占用内存:9180K ,状态:答案正确
/*
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
boolean isSymmetrical(TreeNode pRoot){
//TreeNode root = pRoot;
//1.copy the tree to tree1
TreeNode copyNode = copyTree(pRoot);
//TreeNode copyHead = copyNode; duplicate
//2.get the mirror of the tree1
getMirror(copyNode);
//3.traversal two tree,judge
return traversal(pRoot,copyNode);
}
//1.copy tree
TreeNode copyTree(TreeNode root){
if (root==null){
return null;
}
TreeNode head = new TreeNode(root.val);
TreeNode pHead = head;
copyTree(root,head);
return pHead;
}
void copyTree(TreeNode root,TreeNode root1){
if (root==null){
return ;
}
root1.left=copyTree(root.left);
root1.right=copyTree(root.right);
}
//2. mirror
void getMirror(TreeNode node){
if(node==null){
return ;
}
TreeNode tempNode = node.left;
node.left = node.right;
node.right = tempNode;
getMirror(node.left);
getMirror(node.right);
//return node;
}
//3.judge
boolean traversal(TreeNode node1,TreeNode node2){
if(node1==null && node2 ==null){
return true;
}
//attention
if(node1==null || node2==null){
return false;
}
if(node1.val != node2.val){
return false;
}
return traversal(node1.left,node2.left) && traversal(node1.right,node2.right);
}
}
解法2-参考
被题目的镜像给绕进去了,没有理解镜像的本质,就是(1)左子树的左子树和右子树的右子树相同,(2)左子树的右子树和右子树的左子树相同
链接:https://www.nowcoder.com/questionTerminal/ff05d44dfdb04e1d83bdbdab320efbcb?f=discussion
来源:牛客网
/*思路:首先根节点以及其左右子树,左子树的左子树和右子树的右子树相同
* 左子树的右子树和右子树的左子树相同即可,采用递归
* 非递归也可,采用栈或队列存取各级子树根节点
*/
public class Solution {
boolean isSymmetrical(TreeNode pRoot)
{
if(pRoot == null){
return true;
}
return comRoot(pRoot.left, pRoot.right);
}
private boolean comRoot(TreeNode left, TreeNode right) {
// TODO Auto-generated method stub
if(left == null) return right==null;
if(right == null) return false;
if(left.val != right.val) return false;
return comRoot(left.right, right.left) && comRoot(left.left, right.right);
}
}