145. 二叉树的后序遍历

Posted tu9oh0st

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了145. 二叉树的后序遍历相关的知识,希望对你有一定的参考价值。

题目描述

给定一个二叉树,返回它的 后序 遍历。

示例:

输入: [1,null,2,3]  
   1
         2
    /
   3 

输出: [3,2,1]

进阶: 递归算法很简单,你可以通过迭代算法完成吗?

分析

后序遍历顺序是 left->right->root

贴出代码

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    // 迭代版
    public List<Integer> postorderTraversal(TreeNode root) {
        List<Integer> res = new ArrayList<>();
        LinkedList<TreeNode> s = new LinkedList<>();
        TreeNode current = root, isVisited = null;
        while (current != null || !s.isEmpty()){
            while (current != null){
                s.push(current);
                current = current.left;
            }
            current = s.peek();
            if (current.right == null || current.right == isVisited){
                s.pop();
                res.add(current.val);
                isVisited = current;
                current = null;
            }else {
                current = current.right;
            }
        }
        return res;
    }
}

以上是关于145. 二叉树的后序遍历的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode-145-二叉树的后序遍历

每日一扣145. 二叉树的后序遍历

LeetCode 145. 二叉树的后序遍历c++/java详细题解

LeetCode 145. 二叉树的后序遍历 (用栈实现后序遍历二叉树的非递归算法)

LeetCode Java刷题笔记—145. 二叉树的后序遍历

Leetcode练习(Python):栈类:第145题:二叉树的后序遍历:给定一个二叉树,返回它的 后序 遍历。