题目描述

操作给定的二叉树,将其变换为源二叉树的镜像。

解题思路

先序遍历这个树的根结点,如果根结点有左右子结点,那么就交换,当交换完成所有的非叶子结点,那么就是我们所要求的镜像。
image.png
我们可以看这个示意图,从图 1 到图 4 就是一个镜像的过程,根据上面说的我们先交换根结点的左右子结点,交换后对于 2,3 这两个子结点来说,它们的子结点的顺序其实并没有改变,所以仍需继续交换对应的子结点,以此类推就是一个递归的形式了。

代码实现

  1. public class Problem18 {
  2. public class TreeNode {
  3. int val = 0;
  4. TreeNode left = null;
  5. TreeNode right = null;
  6. public TreeNode(int val) {
  7. this.val = val;
  8. }
  9. }
  10. public void Mirror(TreeNode pRoot) {
  11. if((pRoot == null) || (pRoot.left == null && pRoot.right == null)){
  12. return ;
  13. }
  14. TreeNode temp = null;
  15. temp = pRoot.right;
  16. pRoot.right = pRoot.left;
  17. pRoot.left = temp;
  18. if(pRoot.left != null){
  19. Mirror(pRoot.left);
  20. }
  21. if(pRoot.right != null){
  22. Mirror(pRoot.right);
  23. }
  24. }
  25. }