【LeetCode】 199. Binary Tree Right Side View 二叉树的右视图(Medium)(JAVA)

【LeetCode】 199. Binary Tree Right Side View 二叉树的右视图(Medium)(JAVA)

题目地址: https://leetcode-cn.com/problems/binary-tree-right-side-view/

题目描述:

Given a binary tree, imagine yourself standing on the right side of it, return the values of the nodes you can see ordered from top to bottom.

Example:

Input: [1,2,3,null,5,null,4]
Output: [1, 3, 4]
Explanation:

   1            <---
 /   \
2     3         <---
 \     \
  5     4       <---

题目大意

给定一棵二叉树,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值。

解题方法

1、采用先序遍历,然后记录下当前 root 的高度
2、如果 List 中已经有当前元素,替换即可

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public List<Integer> rightSideView(TreeNode root) {
        List<Integer> res = new ArrayList<>();
        rH(res, root, 0);
        return res;
    }

    public void rH(List<Integer> res, TreeNode root, int height) {
        if (root == null) return;
        if (res.size() > height) {
            res.set(height, root.val);
        } else {
            res.add(root.val);
        }
        rH(res, root.left, height + 1);
        rH(res, root.right, height + 1);
    }
}

执行用时 : 1 ms, 在所有 Java 提交中击败了 97.39% 的用户
内存消耗 : 37.9 MB, 在所有 Java 提交中击败了 5.00% 的用户

猜你喜欢

转载自blog.csdn.net/qq_16927853/article/details/105674328