Given a complete binary tree, count the number of nodes.
Note:
Definition of a complete binary tree from Wikipedia:
In a complete binary tree every level, except possibly the last, is completely filled, and all nodes in the last level are as far left as possible. It can have between 1 and 2h nodes inclusive at the last level h.
Example:
Input:
1
/ \
2 3
/ \ /
4 5 6
Output: 6
输出完全二叉树中的节点数
思路:
开始用BFS遍历节点,但是时间复杂度很高,然后用递归的方法,递归返回左子树节点+右子树节点+root节点
//1ms
public int countNodes(TreeNode root) {
if (root == null) {
return 0;
}
return countNodes(root.left) + countNodes(root.right) + 1;
}
本文介绍了一种高效计算完全二叉树中节点数量的方法。通过递归算法,可以快速得出结果,避免了传统BFS遍历的时间复杂度问题。以一个具体的例子展示了算法的应用过程。
899

被折叠的 条评论
为什么被折叠?



