给你一棵二叉树的根节点 root ,返回其节点值的 后序遍历 。

    示例 1:
    image.png

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

    输入:root = []
    输出:[]
    示例 3:

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

    提示:

    树中节点的数目在范围 [0, 100] 内
    -100 <= Node.val <= 100


    1. class Solution {
    2. public List<Integer> postorderTraversal(TreeNode root) {
    3. List<Integer> res = new ArrayList<>();
    4. if (root == null) return res;
    5. Deque<TreeNode> stk = new LinkedList<>();
    6. stk.addLast(root);
    7. while (!stk.isEmpty()) {
    8. TreeNode t = stk.pollLast();
    9. res.add(t.val);
    10. if (t.left != null) stk.addLast(t.left);
    11. if (t.right != null) stk.addLast(t.right);
    12. }
    13. Collections.reverse(res);
    14. return res;
    15. }
    16. }