zoukankan      html  css  js  c++  java
  • Leetcode 剑指 Offer 27(二叉树的镜像)

    题目定义:

    请完成一个函数,输入一个二叉树,该函数输出它的镜像。
    
    例如输入:
    
         4
       /   
      2     7
     /    / 
    1   3 6   9
        
    镜像输出:
    
         4
       /   
      7     2
     /    / 
    9   6 3   1
    
     
    示例 1:
    输入:root = [4,2,7,1,3,6,9]
    输出:[4,7,2,9,6,3,1]
     
    
    限制:
     0 <= 节点个数 <= 1000
     注意:本题与主站 226 题相同:https://leetcode-cn.com/problems/invert-binary-tree/
    

    递归方式:

    class Solution {
        public TreeNode mirrorTree(TreeNode root) {
            if(root == null)
                return null;
            TreeNode temp = mirrorTree(root.left);
            root.left = mirrorTree(root.right);
            root.right = temp;
            
            return root;
        }
    }
    

    迭代方式:

    class Solution {
        public TreeNode mirrorTree(TreeNode root) {
            if(root == null)
                return null;
            Queue<TreeNode> queue = new LinkedList<>();
            queue.offer(root);
            while(queue.size() > 0){
                TreeNode node = queue.poll();
                swap(node);
                if(node.left != null)
                    queue.offer(node.left);
                if(node.right != null)
                    queue.offer(node.right);
            }
            return root;
        }
        private void swap(TreeNode node){
            TreeNode temp = node.left;
            node.left = node.right;
            node.right = temp;
        }
    }
    

    参考:

    https://leetcode-cn.com/problems/er-cha-shu-de-jing-xiang-lcof/

  • 相关阅读:
    订餐系统
    throw和throws
    CF999E Solution
    CF1142B Solution
    CF965C Solution
    CF963B Solution
    CF999F Solution
    CF975D Solution
    CF997B Solution
    hdu 2553 N皇后
  • 原文地址:https://www.cnblogs.com/CodingXu-jie/p/14143895.html
Copyright © 2011-2022 走看看