zoukankan      html  css  js  c++  java
  • 二叉树后序遍历

    一、递归后序遍历

        public static void postOrder(TreeNode root) {
            if (root == null) {
                return;
            }
            postOrder(root.getLeft());
            postOrder(root.getRight());
            System.out.println(root.getValue());
        }
    

    二、非递归后序遍历

        public static void postOrderIterative(TreeNode root) {
            if (root == null) {
                return;
            }
            Stack<TreeNode> tempTreeNodeStack = new Stack<>();
            Stack<TreeNode> finalTreeNodeStack = new Stack<>();
            tempTreeNodeStack.push(root);
            while (!tempTreeNodeStack.isEmpty()) {
                TreeNode currentNode = tempTreeNodeStack.pop();
                finalTreeNodeStack.push(currentNode);
                if (currentNode.getLeft() != null) {
                    tempTreeNodeStack.push(currentNode.getLeft());
                }
                if (currentNode.getRight() != null) {
                    tempTreeNodeStack.push(currentNode.getRight());
                }
            }
            while (!finalTreeNodeStack.isEmpty()) {
                System.out.println(finalTreeNodeStack.pop().getValue());
            }
        }
    

    采用了两个stack进行,先按照,根节点、右节点、左节点的顺序放入栈中,让再pop出来,最终便是左节点、右节点,根节点的后序遍历顺序。

    作者:iBrake
    本文版权归作者和博客园共有,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文连接,否则保留追究法律责任的权利.
  • 相关阅读:
    Dubbo本地开发技巧
    MongoDB基于GridFS管理文件
    Java MongoDB插入
    java MongoDB查询(二)复杂查询
    java MongoDB查询(一)简单查询
    Java 连接MongoDB
    MongoDB简述
    Bitmap.Config 详解
    ViewGroup 和 View 事件传递及处理小谈
    瀑布流ListView
  • 原文地址:https://www.cnblogs.com/Brake/p/15257098.html
Copyright © 2011-2022 走看看