美文网首页
二叉树后序遍历

二叉树后序遍历

作者: 编程小王子AAA | 来源:发表于2020-10-21 12:41 被阅读0次

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

    示例:
    
    输入: [1,null,2,3]  
       1
        \
         2
        /
       3 
    

    输出: [3,2,1]
    进阶: 递归算法很简单,你可以通过迭代算法完成吗?


    /**
     * 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<Integer>();
            if (root == null) {
                return res;
            }
            Stack<TreeNode> stack = new Stack<TreeNode>();
            TreeNode prev = null;
            while (root != null || !stack.isEmpty()) {
                while (root != null) {
                    stack.push(root);
                    root = root.left;
                }
                root = stack.pop();
                if (root.right == null || root.right == prev) {
                    res.add(root.val);
                    prev = root;
                    root = null;
                } else {
                    stack.push(root);
                    root = root.right;
                }
            }
            return res;
        }
    }
    

    相关文章

      网友评论

          本文标题:二叉树后序遍历

          本文链接:https://www.haomeiwen.com/subject/xtgsmktx.html