@
目录101. 对称二叉树
https://leetcode-cn.com/problems/er-cha-shu-de-jing-xiang-lcof/
题目
给定一个二叉树,检查它是否是镜像对称的。
例如,二叉树 [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
进阶:
你可以运用递归和迭代两种方法解决这个问题吗?
思想
递归,交换操作三段式
代码
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
// /*
// 法一:自己胡乱写
// */
// class Solution {
// public TreeNode mirrorTree(TreeNode root) {
// if(root == null || (root.left == null && root.right == null)){
// return root;
// }
// mirrorTree(root.left);
// mirrorTree(root.right);
// TreeNode tmp = new TreeNode();
// tmp = root.left;
// root.left = root.right;
// root.right = tmp;
// return root;
// }
// }
/*
法二:题解交换操作三段式
*/
class Solution {
public TreeNode mirrorTree(TreeNode root) {
if(root == null){//递归边界,过了叶结点
return root;
}
//交换操作三段式,不过这里数据类型是树结点
TreeNode tmp = mirrorTree(root.left);
root.left = mirrorTree(root.right);
root.right = tmp;
return root;
}
}