力扣刷题--94、二叉树的中序遍历

题目: 二叉树的中序遍历

题号:94

难易程度:简单

题面

给定一个二叉树的根节点 root ,返回它的 中序 遍历。

示例1:
力扣刷题--94、二叉树的中序遍历_第1张图片

输入:root = [1,null,2,3]
输出:[1,3,2]

示例2:

输入:root = []
输出:[]

示例3

输入:root = [1]
输出:[1]

题目意思:
使用中序遍历输出一个二叉树的值。

前中后序遍历:
DLR–前序遍历(根在前,从左往右,一棵树的根永远在左子树前面,左子树又永远在右子树前面 )

LDR–中序遍历(根在中,从左往右,一棵树的左子树永远在根前面,根永远在右子树前面)

LRD–后序遍历(根在后,从左往右,一棵树的左子树永远在右子树前面,右子树永远在根前面)

题解:
1、递归:先递归root.left的值,然后再递归root.right的值
2、迭代:定义一个栈,将left放入栈中,由于栈是先进后出,当left为空时,再将栈中的数据弹出,然后放入list中,最后在将right的值放入栈中进行相同操作。

public class LeetCode88 {
   public static class TreeNode {
        int val;
        TreeNode left;
        TreeNode right;

        TreeNode() {
        }

        TreeNode(int val) {
            this.val = val;
        }

        TreeNode(int val, TreeNode left, TreeNode right) {
            this.val = val;
            this.left = left;
            this.right = right;
        }
    }

    /**
     * 1、递归实现
     * @param root
     * @return
     */
    public List<Integer> inorderTraversal1(TreeNode root) {
        List<Integer> res  = new ArrayList<>();
        inOrder(root,res);
        return  res;
    }
    private  void inOrder(TreeNode root,List<Integer> res){
        if (root == null) {
            return ;
        }
        inOrder(root.left,res);
        res.add(root.val);
        inOrder(root.right,res);
    }

    /**
     * 2、迭代实现
     * @param root
     * @return
     */
    public List<Integer> inorderTraversal(TreeNode root) {
        List<Integer> res = new ArrayList<>();
        Deque<TreeNode> stk = new LinkedList<TreeNode>();
        while (root != null || !stk.isEmpty() ){
            while (root != null){
                stk.push(root);
                root = root.left;
            }
            root =  stk.pop();
            res.add(root.val);
            root = root.right;
        }
        return  res;
    }
}

你可能感兴趣的:(LeetCode,java,算法,中序遍历,leetcode)