【Microsoft面经】OA 2020 | Count Visible Nodes in Binary Tree Microsoft OA 开发岗

胖蛋 2020-5-21 1470


In a binary tree, if in the path from root to the node A, there is no node with greater value than A’s, this node A is visible. We need to count the number of visible nodes in a binary tree.

Example 1:

Input: 5 / \ 3 10 / \ / 20 21 1

Output: 4

Explanation: There are 4 visible nodes: 5, 20, 21, and 10.

Example 2:

Input: -10 \ -15 \ -1

Output: 2

Explanation: Visible nodes are -10 and -1.

Solution:

// Time: O(n)

// Space: O(n)

public int countVisibleNodes(TreeNode root) {

return countVisibleNodes(root, Integer.MIN_VALUE);

}

private int countVisibleNodes(TreeNode node, int maxSoFar) {

if (node == null) return 0;

int count = 0;

if (node.val >= maxSoFar) {

count = 1;

maxSoFar = node.val;

}

return count + countVisibleNodes(node.left, maxSoFar) + countVisibleNodes(node.right, maxSoFar);

}

最后于 2020-6-1 被maomoke编辑 ,原因:
最新回复 (0)
返回