二叉树的中序遍历

徘徊边缘 提交于 2020-03-09 05:02:26


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

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

   1
    \
     2
    /
   3

输出: [1,3,2]

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */

递归

递归时直接打印

public static void inOrderRecur(Node root){
	if(root== null) return;
	inOrderRecur(root.left);
	System.out.print(root.value + " ");
	inOrderRecur(root.right);
}

辅助函数

时间复杂度:O(n),递归函数T(n)=2*T(n/2)+1
空间复杂度:最坏情况下需要空间O(n),平均情况为O(logn)

class Solution {
    public List<Integer> inorderTraversal(TreeNode root) {
        List<Integer>list = new ArrayList();
        helper(root, list);
        return list;
    }
    public void helper(TreeNode root, List<Integer>list){
        if(root != null){
            if(root.left != null){
                helper(root.left, list);
            }
            list.add(root.val);
            if(root.right != null){
                helper(root.right, list);
            }
        }
    }
}

迭代

基于栈的遍历

时间复杂度:O(n)
空间复杂度:O(n)

class Solution {
    public List<Integer> inorderTraversal(TreeNode root) {
        List <Integer> list = new ArrayList();
        Stack <TreeNode> stack = new Stack();    
        if(root != null){
            while(!stack.isEmpty() || root != null){
                if(root != null){
                    stack.push(root);
                    root = root.left;
                }else{
                    root = stack.pop();
                    list.add(root.val);
                    root = root.right;
                }
            }
        }    
        return list;
    }
}

递归时
1.使用辅助函数
2.使用栈

2.List是接口,使用new ArrayList()实例化

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!