forked from DengWangBao/Leetcode-Java
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBinaryTreePostorderTraversal.java
49 lines (44 loc) · 1.69 KB
/
BinaryTreePostorderTraversal.java
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
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
import java.util.*;
public class BinaryTreePostorderTraversal {
/**
* 先序是中左右,中序是左中右,后序是左右中,所以我们可以给先序调整一下改成中右左,然后倒过来就成了左右中
* @param root
* @return
*/
// 这里虽然最后的结果返回的是对的,但真正访问节点的顺序是不对的,root并不是最后访问的
public List<Integer> postorderTraversal(TreeNode root) {
List<Integer> results = new LinkedList<>();
Deque<TreeNode> stack = new ArrayDeque<TreeNode>();
while (!stack.isEmpty() || root != null) {
if (root != null) {
stack.push(root);
results.add(0, root.val);
root = root.right;
} else {
root = stack.pop().left;
}
}
return results;
}
// root为null表示栈顶的左子树都访问完了,该看右子树了
public List<Integer> postorderTraversal2(TreeNode root) {
List<Integer> result = new ArrayList<>();
Stack<TreeNode> stack = new Stack<>();
for (TreeNode last = null; !stack.isEmpty() || root != null; ) {
if (root != null) {
stack.push(root);
root = root.left;
} else {
TreeNode peek = stack.peek();
if (peek.right != null && last != peek.right) {
root = peek.right; // 只有这里要设置root
} else {
result.add(peek.val);
last = stack.pop();
// 此时root仍为null
}
}
}
return result;
}
}