剑指offer——二叉树的镜像
题目描述:
操作给定的二叉树,将其变换为源二叉树的镜像。
思路
利用前序遍历二叉树,如果遍历到的节点有子节点,则进行变换。单子节点只需要改变位置即可。
代码
/**
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
public void Mirror(TreeNode root) {
if (root!=null){
root=change(root);
}
}
public TreeNode change(TreeNode root){
if(root.left !=null && root.right!=null){
TreeNode tmp =root.left;
root.left=root.right;
root.right=tmp;
}else{
if(root.left ==null && root.right!=null){
root.left=root.right;
root.right=null;
}else{
if(root.left !=null && root.right==null){
root.right=root.left;
root.left=null;
}
}
}
if(root.left!=null){
change(root.left);
}
if(root.right!=null){
change(root.right);
}
return root;
}
}