给你一棵二叉树的根节点 root ,返回其节点值的 后序遍历 。
示例 1:
输入:root = [1,null,2,3]
输出:[3,2,1]
示例 2:
输入:root = []
输出:[]
示例 3:
输入:root = [1]
输出:[1]
提示:
树中节点的数目在范围 [0, 100] 内
-100 <= Node.val <= 100
class Solution {
public List<Integer> postorderTraversal(TreeNode root) {
List<Integer> res = new ArrayList<>();
if (root == null) return res;
Deque<TreeNode> stk = new LinkedList<>();
stk.addLast(root);
while (!stk.isEmpty()) {
TreeNode t = stk.pollLast();
res.add(t.val);
if (t.left != null) stk.addLast(t.left);
if (t.right != null) stk.addLast(t.right);
}
Collections.reverse(res);
return res;
}
}