LeetCode94-二叉树的中序遍历

题目链接

英文链接:https://leetcode.com/problems/binary-tree-inorder-traversal/

中文链接:https://leetcode-cn.com/problems/binary-tree-inorder-traversal/

题目详述

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

示例:

1
2
3
4
5
6
7
8
输入: [1,null,2,3]
1
\
2
/
3

输出: [1,3,2]

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

题目详解

方法一:递归。

  • 时间复杂度:O(n)。
  • 空间复杂度:O(logn)。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
public class LeetCode_00094 {

// 递归
public List<Integer> inorderTraversal(TreeNode root) {
List<Integer> res = new ArrayList<>();
inorderHelper(root, res);
return res;
}

private void inorderHelper(TreeNode root, List<Integer> list) {
if (root == null) {
return;
}
inorderHelper(root.left, list);
list.add(root.val);
inorderHelper(root.right, list);
}
}

方法二:迭代(手动模拟栈)。

  • 时间复杂度:O(n)。
  • 空间复杂度:O(logn)。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
public class LeetCode_00094 {

// 迭代
public List<Integer> inorderTraversal(TreeNode root) {
List<Integer> res = new ArrayList<>();
Stack<TreeNode> stack = new Stack<>();
while (!stack.isEmpty() || root != null) {
while (root != null) {
stack.push(root);
root = root.left;
}
root = stack.pop();
res.add(root.val);
root = root.right;
}
return res;
}
}

方法三:Morris 遍历。

  • 时间复杂度:O(n)。
  • 空间复杂度:O(1)。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
public class LeetCode_00094 {

// Morris 遍历
public List<Integer> inorderTraversal(TreeNode root) {
List<Integer> res = new ArrayList<>();
while (root != null) {
if (root.left == null) {
res.add(root.val);
root = root.right;
} else {
TreeNode pre = getPredecessor(root);
if (pre.right == null) {
pre.right = root;
root = root.left;
} else {
res.add(root.val);
pre.right = null;
root = root.right;
}
}
}
return res;
}

private TreeNode getPredecessor(TreeNode root) {
TreeNode p = root.left;
while (p.right != null && p.right != root) {
p = p.right;
}
return p;
}
}